How Can I View Metadata Of Pdf In Python With PyPDF2?

2025-09-02 01:20:04 243

4 Answers

Zander
Zander
2025-09-03 14:00:21
Quick and practical — when I need to view metadata fast I do the minimal thing and keep it friendly. Open your PDF in binary mode, use PdfReader (or PdfFileReader if you have an older install), check reader.is_encrypted and decrypt if needed, then print reader.metadata. Example:

from PyPDF2 import PdfReader
reader = PdfReader('sample.pdf')
print(reader.metadata)

Common pitfalls: metadata can be None, keys are often prefixed with a '/', and CreationDate strings may be in PDF-specific format. If you just need a human-readable dump, convert the mapping to plain strings and strip leading slashes. Also peek at reader.num_pages if you're cataloging files — metadata plus page count is a great start for organizing a small library.
Leah
Leah
2025-09-04 12:06:44
I tend to experiment a lot and I made a small utility function that not only reads metadata via PyPDF2 but also normalizes date strings into datetime objects. The annoying part is that PDF dates are often in the format "D:YYYYMMDDHHmmSSOHH'mm'" and need parsing. Example flow I follow:

- Open file using PdfReader (or PdfFileReader on old versions).
- Decrypt if necessary.
- Read reader.metadata and convert keys like '/CreationDate' to 'CreationDate'.
- Try parsing CreationDate and ModDate to datetime, fallback to the raw string.

A condensed code sketch:

from PyPDF2 import PdfReader
import re
from datetime import datetime

def parse_pdf_date(s):
if not s: return None
m = re.match(r"D:(\d{4})(\d{2})?(\d{2})?(\d{2})?(\d{2})?(\d{2})?", s)
if not m: return s
parts = [int(p) if p else 0 for p in m.groups()]
return datetime(parts[0], max(1, parts[1] or 1), max(1, parts[2] or 1), parts[3], parts[4], parts[5])

reader = PdfReader('file.pdf')
meta = reader.metadata or {}
clean = {k.lstrip('/'): (parse_pdf_date(v) if 'Date' in k else v) for k, v in meta.items()}
print(clean)

I enjoy doing this because it turns raw garbage into something I can sort/filter in a folder of PDFs. If you want, I can show how to export these into CSV or add a GUI to browse them.
Oliver
Oliver
2025-09-04 22:19:11
I like keeping things compact when I'm troubleshooting — here's a slightly different way I go about it. First, install or update PyPDF2 (pip install PyPDF2). Then use the legacy-style call if you happen to have an older release:

from PyPDF2 import PdfFileReader
with open('document.pdf', 'rb') as f:
reader = PdfFileReader(f)
if reader.isEncrypted:
reader.decrypt('')
info = reader.getDocumentInfo()

getDocumentInfo() returns a DocumentInformation object where keys are '/Title', '/Author', etc. I usually convert it to a normal dict with something like: metadata = {k[1:]: v for k, v in info.items()} to drop the leading slash for easier printing. Watch out: some PDFs only embed a creation or modification date and nothing else, and encrypted files will block metadata access until decrypted.

Occasionally I prefer calling external tools like 'pdfinfo' when PyPDF2 seems to miss embedded XMP metadata, but for most quick inspections PyPDF2 does the job perfectly. If you need to mutate metadata, PyPDF2 also supports updating it via PdfWriter, but that's a different little dance.
Quinn
Quinn
2025-09-07 11:37:59
Oh, I love digging into little file mysteries — PDFs are no exception. If you just want to peek at metadata with PyPDF2, the modern, straightforward route is to use PdfReader and inspect the .metadata attribute. Here's the tiny script I usually toss into a REPL or a small utility file:

from PyPDF2 import PdfReader

reader = PdfReader('example.pdf')
if reader.is_encrypted:
try:
reader.decrypt('') # try empty password
except Exception:
raise RuntimeError('PDF is encrypted and requires a password')

meta = reader.metadata # returns a dictionary-like object
print(meta)

That .metadata often contains keys like '/Title', '/Author', '/Creator', '/Producer', '/CreationDate' and '/ModDate'. Sometimes it's None or sparse — many PDFs don't bother to set all fields. I also keep a tiny helper to normalize keys and parse the odd CreationDate format (it looks like "D:20201231235959Z00'00'") into a Python datetime when I need to display a friendlier timestamp. If you're on an older PyPDF2 version you'll see PdfFileReader and reader.getDocumentInfo() instead; the idea is the same.

If you want pretty output, convert meta to a plain dict and iterate key/value pairs, or write them to JSON after sanitizing dates. It’s a tiny ritual I enjoy before archivism or just poking through downloaded manuals.
View All Answers
Scan code to download App

Related Books

Lakeview: Falling for Brie
Lakeview: Falling for Brie
She brushes her tears away as she opens her door slamming it behind her. Taking off her shoes and throwing them in frustration across her living room. She runs up the stairs and into her room. Letting her body fall in her bed as she grips the sheets that still has the lingering smell of his scent. She grips his pillow as she falls asleep crying in her bed. (Chapt. 16- Take my Broken Wings)
10
40 Chapters
Behind The Gate of Lakeview
Behind The Gate of Lakeview
Jadeshola Badmus is not your regular female lead. She's Outspoken, Brilliant, Sassy, beautiful, intelligent and is the president of the Literary and debate team. What's more, she comes from a very wealthy family and is the head girl of her school, Lakeview High, one of the most prestigious schools in the country. The only bad luck for her comes in the form of the golden star boy of the school, Uthman Gbadamosi, her arch rival in debating, the school's head boy, football team captain and the crush of many girls in school except Jade of course. The two are thrown together after a brief encounter and they found themselves developing feelings for each other admist family breakdown, friend's betrayal, failed tests and missed opportunities. This book basically follows the lives of the finalists at Lakeview High as they maneuver their way to become better adults in the seemingly ugly world.
8
59 Chapters
A Wife For The Billionaire
A Wife For The Billionaire
Oliver Haywood is a cold and ruthless billionaire who doesn't want any woman in his life due to his past. Even with the amount of women begging for his attention, he has refused to marry. But things changed the day his grandfather's will was read and it was stated that he is to lose his inheritance to an orphanage except he gets married and father a child within a year and six months. Although he doesn’t care about his grandfather’s wealth but not being able to stand and watch his grandfather's legacy and all he has worked hard for to be donated to orphanages, he swallowed his hatred and instructed his assistant to find a wife in less than 48 hours or else he is going to lose his job. After rejecting 44 women, he finally picked the last one standing. Which is a lady that came from the lower class of society but didn't look anything like someone that grew from the slums. He had picked her out of curiosity and unknown to him she has had a crush on him for the longest time and her reason for marrying him is to make him fall in love with her. But will Nuella Allen succeed in getting his heart? Will she make him change his view regarding all women? Would he want to grow old with her? Was she really from the slums? There is only one way to find out.
9.8
148 Chapters
Interview With The Gangster
Interview With The Gangster
As a journalist, Angie McAlister is used to uncovering many facts. Her name is very famous because she dares to reveal sensitive facts and involves famous names. Death seemed to dance before her eyes because she was so active with her courage to reveal facts. After being fired from her workplace, Angie decides to become a freelance journalist and is not tied to any company. She meets an attractive man at a nightclub and learns that he is connected to a major mafia organization. Maxime Seagrave, a former Wolf Gang member who Angie continues to pursue. After many offers made by Angie, Maxime finally agrees to be interviewed only if Angie gives one thing in return; herself. Mystery after mystery, question after question. Slowly, Angie will find out why Maxime quit the group, and Maxime... he will find out that Angie is not as innocent as he thought.
Not enough ratings
15 Chapters
Revival of an Elite; the Fiery Wife Rules
Revival of an Elite; the Fiery Wife Rules
She was deceived by people who were wolves in sheep's clothing and ended up dead on the operating table with both her eyes and uterus removed. However, God was kind enough to give her a second chance of life. She was gifted with ethereal beauty and a gaze that could kill. Every gesture and expression she made was as poisonous as opium poppy. Step by step, she laid out her scheme, swore to send people who murdered her down to hell and suffer in eternal doom. At the same time, she took great lengths to insinuate herself in the life of her ex-fiancé after breaking off the engagement in her past life for the douchebag. One day, she approached him with a seductive smile and said, "Mr. Gu, you might view me as wild and promiscuous, but in reality, I am a well-mannered lady. I am also loyal and faithful to my loved one. You will have to see past this facade in order to know the real me."
8.9
920 Chapters
YES DADDY, MAKE ME YOUR TOY
YES DADDY, MAKE ME YOUR TOY
"Holy Shit. When did you get in here? Ben stepped out hours ago." the shock on his face when he sees my wide eyes staring down at his cock. "Do you walk all naked when no one is at home but you?" My thighs clenched together; I didn't know how I suddenly said that out. "Little girl, are you not afraid to take your eyes off? This can ruin you." His dominance wraps around his voice, my eyes trail off his cock, and I view his entire body. The masculinity got my thighs drooling and gave me the fastest shock I had ever felt in my stomach. It's the first time I've taken note of how perfect his body curves are. "Then I want to be ruined only by your cock." My eyes grow in size at my own words. Anastasia visited to resolve the issues revolving around her toxic relationship with Ben, her 21-year-old boyfriend. She happened not to meet him at home after he lied about being home. She was frustrated and pained because it looks like she has been putting more effort into the relationship than he has, and it was killing her. It was killing her that she always had to be the one getting hurt all the time. Even when he is wrong, she takes the blame for it and apologizes for no fucking reason. But everything changed when she saw his father's big cock that night at his place. She's never seen a cock as huge and dominating as his. A voice in her head screamed for her to run, but no, she was so curious to know how it would feel in her mouth and in her damn wet core.
8.8
64 Chapters

Related Questions

How Can I View Metadata Of Pdf Using Adobe Acrobat?

4 Answers2025-09-02 15:38:00
Okay, here’s a friendly walkthrough that I actually use when poking around PDFs: open the PDF in Adobe Acrobat (Reader or Pro), then press Ctrl+D (Cmd+D on a Mac) to pop up the Document Properties window. The Description tab is the quick view — Title, Author, Subject, and Keywords live there. If you want more, click the 'Additional Metadata' button in that window; that opens the XMP metadata viewer where you can see deeper fields like PDF producer, creation and modification timestamps, and any custom namespaces embedded by other apps. If you have Acrobat Pro, I go further: Tools > Protect & Standardize > Remove Hidden Information (or search for 'Remove Hidden Information' in Tools). That previews hidden metadata, attached data, and comments that ordinary users might miss. For structural or compliance checks I open Tools > Print Production > Preflight to inspect PDF/A, PDF/X, font embedding, and more. Small tip: editing the basic fields is done right in Document Properties (change Title/Author/Keywords), but for full cleanup or forensic detail, Preflight and Remove Hidden Information are where I live — they surface the stuff regular viewers won't show.

Where Can I View Metadata Of Pdf On MacOS Preview App?

4 Answers2025-09-02 19:02:44
If you've got a PDF open in Preview, the quickest way I use is Tools → Show Inspector (or press Command-I). When the Inspector pops up you'll usually see an 'i' tab or a 'More Info' section where Preview displays metadata like Title, Author, Subject/Keywords (if the file has them), PDF producer/creator, PDF version, page size and sometimes creation/modification dates. If nothing shows up there, it often means the PDF simply doesn't have embedded metadata. Preview's metadata viewer is handy for a quick peek, but it's a viewer-first tool: editing fields is limited or inconsistent across macOS versions. If you need to dig deeper or edit stuff, I switch to Finder's Get Info for basic tags, or use Terminal: mdls /path/to/file.pdf reveals Spotlight metadata, and 'exiftool' shows practically everything. For full edit control I go to a dedicated app like 'Adobe Acrobat' or a metadata editor. Preview's Inspector gets you most of what you need at a glance, though, and for quick checks it's my go-to.

How Can I View Metadata Of Pdf And Remove Sensitive Info?

4 Answers2025-09-02 00:44:29
Okay, let me walk you through this like I’m chatting over coffee — metadata in PDFs hides in more places than you’d think, and removing it cleanly takes a couple of different moves. First, inspect. I usually run simple tools to see what’s actually inside: open the PDF’s Properties in a viewer (File > Properties), run pdfinfo (poppler) or exiftool to get a full readout (exiftool file.pdf), and also search the raw file for XML XMP packets (open in a text editor and look for '

How Do I View Metadata Of Pdf Files On Windows 10?

4 Answers2025-09-02 11:26:25
Okay, here’s the friendly walkthrough I’d give a pal who just asked this over coffee. On Windows 10, the simplest place to start is File Explorer: right‑click the PDF, pick 'Properties', then open the 'Details' tab. You’ll see basic fields like Title, Author, and sometimes Keywords — but Windows only shows what the file embeds in standard metadata fields, so a lot of PDFs look blank here even if they contain extra info. If you want the metadata that most PDF readers expose, open the file in 'Adobe Acrobat Reader DC' (or 'PDF-XChange Editor', or 'SumatraPDF') and press Ctrl+D or go to File → Properties. That view tends to show more PDF-specific fields (like Producer, PDF version, and custom XMP data). For power users who need everything, I use 'ExifTool' (free): exiftool file.pdf shows all embedded metadata. It’s faster for batches: exiftool *.pdf dumps metadata for every file in a folder. Try a couple of these depending on how deep you need to go — and if you’re prepping files to share, remember to scrub metadata first if privacy matters.

How Can I View Metadata Of Pdf Without Installing Software?

4 Answers2025-09-02 16:25:35
I love poking around files, so here’s a friendly walk-through that doesn’t require installing anything new. On Windows you can often get basic metadata without extra tools: right-click the PDF file in File Explorer, choose 'Properties' and open the 'Details' tab. You’ll see fields like Title, Author, and sometimes Creation and Modification dates. On macOS, select the file in Finder and hit 'Get Info' (or press ⌘I) for similar details. Both of these show filesystem-level and embedded metadata that many PDFs include. If you want more embedded info, open the PDF in Firefox (its built-in viewer is great for this). Click the small 'i' icon or look for 'Document Properties' in the viewer toolbar; it exposes XMP/metadata like Producer, Creator, and custom fields. Alternatively, you can upload to Google Drive and open the details pane — it shows upload/owner info and sometimes core metadata. Quick heads-up: I don’t like uploading personal docs to third-party sites, so for sensitive PDFs I stick to local methods like Finder/File Explorer or opening the file in a plain text editor and searching for '/Title' or '' blocks to read raw metadata. If you see XML tags, that’s the XMP packet and it’s human-readable, which I find oddly satisfying.</div></div><div class="qa-item" data-v-24e8c99f><h3 data-v-24e8c99f><a href="/qa/view-metadata-pdf-command-line-linux" class="qa-item-title" data-v-24e8c99f> Can I View Metadata Of Pdf From Command Line On Linux? </a></h3><div class="qa-item-line" data-v-24e8c99f><span data-v-24e8c99f>4 Answers</span><span data-v-24e8c99f>2025-09-02 00:27:28</span></div><div class="qa-item-desc" data-v-24e8c99f>Hey, if you like poking around files the same way I do when I'm binge-reading liner notes, Linux makes PDF metadata super accessible from the command line. For a quick peek I usually start with pdfinfo (part of poppler-utils). It gives a neat summary: Title, Author, Creator, Producer, CreationDate, ModDate, Pages, PDF version, page size, and more. Example: pdfinfo 'mydoc.pdf'. If you want to filter it down: pdfinfo 'mydoc.pdf' | grep -Ei '^(Title|Author|Producer|CreationDate|Pages)'. If you want everything — the XMP, custom metadata and more — I love exiftool (package name libimage-exiftool-perl on Debian/Ubuntu). exiftool -a -u -g1 'mydoc.pdf' dumps lots of readable tags organized by group. For raw XMP in case you want to copy-paste XML, strings 'mydoc.pdf' | sed -n '/<x:xmpmeta>/,/<\/x:xmpmeta>/p' can pull out the chunk (works for many PDFs but not guaranteed for all). Other useful tools: pdftk 'mydoc.pdf' dump_data prints InfoKey/InfoValue pairs and is handy for scripts, and mutool (from mupdf) or qpdf can inspect internals or check encryption. If a file is password-protected you can often pass the password (pdfinfo has -upw/-opw). I often combine these in small scripts to audit batches of PDFs — it’s oddly satisfying. Play around and you’ll find the combo that fits your workflow best.</div></div><div class="qa-item" data-v-24e8c99f><h3 data-v-24e8c99f><a href="/qa/view-metadata-pdf-google-drive-viewer" class="qa-item-title" data-v-24e8c99f> How Do I View Metadata Of Pdf In Google Drive Viewer? </a></h3><div class="qa-item-line" data-v-24e8c99f><span data-v-24e8c99f>4 Answers</span><span data-v-24e8c99f>2025-09-02 12:04:14</span></div><div class="qa-item-desc" data-v-24e8c99f>Oh hey, this one pops up a lot when people hand me a PDF in Drive and expect me to see the author info right in the browser. In Google Drive’s built-in preview you can get basic file data: open the PDF, then click the little 'i' (info) icon in the top-right to open the details pane. That shows owner, location, file size, created/modified dates and recent activity. It’s super handy for quick checks. If you need embedded PDF properties like Title, Author, Subject, Producer or the PDF version, Drive’s preview won’t show those. My go-to move is to download the PDF and open it in Adobe Acrobat Reader (File → Properties) or another full PDF reader; that displays the XMP/metadata fields. For command-line folks I’ll use 'pdfinfo myfile.pdf' or 'exiftool myfile.pdf' — both give a thorough dump of embedded metadata. If you prefer not to download, you can connect a metadata-aware app via Drive’s 'Open with' → 'Connect more apps' or use a reputable online metadata viewer, but be careful with sensitive files when uploading to third-party sites. That’s the practical tradeoff I usually explain to friends, depending on how private the document is.</div></div><div class="qa-item" data-v-24e8c99f><h3 data-v-24e8c99f><a href="/qa/view-metadata-pdf-created-microsoft-word" class="qa-item-title" data-v-24e8c99f> How Can I View Metadata Of Pdf Created By Microsoft Word? </a></h3><div class="qa-item-line" data-v-24e8c99f><span data-v-24e8c99f>4 Answers</span><span data-v-24e8c99f>2025-09-02 21:10:50</span></div><div class="qa-item-desc" data-v-24e8c99f>Oh, this one makes me nerdy-happy — I check PDF metadata all the time when I’m cleaning documents before sending them out. If you’re still in Word, the easiest place to start is File → Info. You’ll see basic properties like Author and Title there; click Properties → Advanced Properties to edit Summary, Statistics, and any Custom fields. When you Save As PDF, click Options in the Save dialog and make sure document properties are preserved or removed depending on your goal. After the PDF exists, open it in a PDF reader — in 'Adobe Acrobat Reader' go to File → Properties (or press Ctrl+D) to view Description (Title, Author, Subject, Keywords), Custom metadata, and the PDF producer and creation/modification times. If you want forensic-level detail, use tools like exiftool (exiftool myfile.pdf) or Poppler’s pdfinfo (pdfinfo myfile.pdf) on the command line; they dump XMP and embedded metadata. Also double-check Windows File Explorer (right-click → Properties → Details) or macOS Finder (Get Info) for quick looks. If privacy is the issue, run Word’s Document Inspector (File → Info → Check for Issues → Inspect Document) before exporting or use Acrobat’s Remove Hidden Information / Sanitize features. Personally, I run exiftool as a final check because it reveals everything including odd custom properties that Word sometimes tucks away.</div></div></div></div></div><div class="list qad-right" data-v-a0de7270 data-v-0028ffba><h2 class="list-title" data-v-a0de7270>Popular Question</h2><div class="list-list" data-v-a0de7270><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>01</div><h3 data-v-a0de7270><a href="/qa/best-detective-fiction-novels-manga-adaptations" class="right-item-title" data-v-a0de7270>What Are The Best Detective Fiction Novels With Manga Adaptations?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>02</div><h3 data-v-a0de7270><a href="/qa/rich-gary-busey" class="right-item-title" data-v-a0de7270>How Rich Was Gary Busey?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>03</div><h3 data-v-a0de7270><a href="/qa/scripted-podcast-narratives-retain-listeners" class="right-item-title" data-v-a0de7270>How Do Scripted Podcast Narratives Retain Listeners?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>04</div><h3 data-v-a0de7270><a href="/qa/main-characters-outpost-book" class="right-item-title" data-v-a0de7270>Who Are The Main Characters In Outpost Book?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>05</div><h3 data-v-a0de7270><a href="/qa/listen-audio-books-library-kindle" class="right-item-title" data-v-a0de7270>Can I Listen To Audio Books Through Library On Kindle?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>06</div><h3 data-v-a0de7270><a href="/qa/buy-fourth-wing-ebook-paperback" class="right-item-title" data-v-a0de7270>Can I Buy The Fourth Wing Ebook In Paperback?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>07</div><h3 data-v-a0de7270><a href="/qa/familienbilder-movie-adaptation" class="right-item-title" data-v-a0de7270>Does 'Familienbilder' Have A Movie Adaptation?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>08</div><h3 data-v-a0de7270><a href="/qa/unique-skills-kanzen-kaihi-healer-no-kiseki" class="right-item-title" data-v-a0de7270>What Are The Unique Skills In 'Kanzen Kaihi Healer No Kiseki'?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>09</div><h3 data-v-a0de7270><a href="/qa/access-online-books-reading-free-best-selling-novels" class="right-item-title" data-v-a0de7270>How To Access Online Books Reading Free For Best-Selling Novels?</a></h3></div><div class="list-item" data-v-a0de7270><div class="right-item-index" data-v-a0de7270>10</div><h3 data-v-a0de7270><a href="/qa/motherhood-represented-rosemary-s-baby-contrast-today" class="right-item-title" data-v-a0de7270>How Is Motherhood Represented In 'Rosemary’S Baby' In Contrast To Today?</a></h3></div></div></div></div><div class="qad-search" data-v-0028ffba><h2 class="qad-title" data-v-0028ffba> Popular Searches <a href="/qa/t_all" data-v-0028ffba>More</a></h2><div class="qas" data-v-220079ae data-v-0028ffba><a href="/qa/t_hiero-s-journey" class="qas-item" data-v-220079ae> Hiero's Journey </a><a href="/qa/t_best-selling-romance-books" class="qas-item" data-v-220079ae> Best Selling Romance Books </a><a href="/qa/t_vim-and-vigor" class="qas-item" data-v-220079ae> Vim And Vigor </a><a href="/qa/t_autobiography-of-a-face" class="qas-item" data-v-220079ae> Autobiography Of A Face </a><a href="/qa/t_oh-sweet-winter-child" class="qas-item" data-v-220079ae> Oh Sweet Winter Child </a><a href="/qa/t_online-kindle-viewer" class="qas-item" data-v-220079ae> Online Kindle Viewer </a><a href="/qa/t_the-plot" class="qas-item" data-v-220079ae> The Plot </a><a href="/qa/t_wattpad-smuts" class="qas-item" data-v-220079ae> Wattpad Smuts </a><a href="/qa/t_bee-movie-script" class="qas-item" data-v-220079ae> Bee Movie Script </a><a href="/qa/t_two-can-keep-a-secret" class="qas-item" data-v-220079ae> Two Can Keep A Secret </a><a href="/qa/t_genshin-impact-heaven-s-will-let-teyvat-become-the-supreme-world" class="qas-item" data-v-220079ae> Genshin Impact Heaven's Will Let Teyvat Become The Supreme World </a><a href="/qa/t_the-last-bookshop-in-london" class="qas-item" data-v-220079ae> The Last Bookshop In London </a><a href="/qa/t_programming-books" class="qas-item" data-v-220079ae> Programming Books </a><a href="/qa/t_why-is-the-catcher-in-the-rye-banned" class="qas-item" data-v-220079ae> Why Is The Catcher In The Rye Banned </a><a href="/qa/t_hbp-reading" class="qas-item" data-v-220079ae> Hbp Reading </a><a href="/qa/t_best-book-recommendation" class="qas-item" data-v-220079ae> Best Book Recommendation </a><a href="/qa/t_one-second-after" class="qas-item" data-v-220079ae> One Second After </a><a href="/qa/t_dystopian-adult-books" class="qas-item" data-v-220079ae> Dystopian Adult Books </a><a href="/qa/t_the-giver" class="qas-item" data-v-220079ae> The Giver </a><a href="/qa/t_erich-heckel" class="qas-item" data-v-220079ae> Erich Heckel </a><a href="/qa/t_rainbow-girl" class="qas-item" data-v-220079ae> Rainbow Girl </a><a href="/qa/t_book-the-lincoln-lawyer" class="qas-item" data-v-220079ae> Book The Lincoln Lawyer </a><a href="/qa/t_library-free-online-books" class="qas-item" data-v-220079ae> Library Free Online Books </a><a href="/qa/t_blind-side" class="qas-item" data-v-220079ae> Blind Side </a><a href="/qa/t_blog-for-dummies" class="qas-item" data-v-220079ae> Blog For Dummies </a><a href="/qa/t_suzuki-method-book-3" class="qas-item" data-v-220079ae> Suzuki Method Book 3 </a><a href="/qa/t_novelist-app" class="qas-item" data-v-220079ae> Novelist App </a><a href="/qa/t_reference-this-book" class="qas-item" data-v-220079ae> Reference This Book </a><a href="/qa/t_danger-squad-legends" class="qas-item" data-v-220079ae> Danger Squad Legends </a><a href="/qa/t_heartland-library-cooperative" class="qas-item" data-v-220079ae> Heartland Library Cooperative </a><div class="qas-item" data-v-220079ae></div><div class="qas-item" data-v-220079ae></div><div class="qas-item" data-v-220079ae></div><div class="qas-item" data-v-220079ae></div><div class="qas-item" data-v-220079ae></div><div class="qas-item" data-v-220079ae></div></div></div><div class="downb qad-db" data-v-2571a44a data-v-0028ffba><div class="downb-img" data-v-2571a44a></div><div class="downb-con" data-v-2571a44a><div class="downb-title" data-v-2571a44a>Explore and read <span>good novels for free</span></div><div class="downb-desc" data-v-2571a44a>Free access to a vast number of good novels on GoodNovel app. Download the books you like and read anywhere &amp; anytime.</div></div><div position="foot_banner" size="128" class="downb-qrcode" data-v-2571a44a><div class="qr-code-wrap" style="width:120px;height:120px;" data-v-e92e8628 data-v-2571a44a><div value="" level="H" background="#fff" foreground="#000" class="qr-code" data-v-e92e8628><canvas height="120" width="120" style="width:120px;height:120px;"></canvas></div><img src="https://acfs1.goodnovel.com/dist/src/assets/images/common/51e534b7-logo_icon.png" alt class="qr-code-logo" data-v-e92e8628></div><div class="downb-qrcode-desc" data-v-2571a44a>Read books for free on the app</div></div></div></div></div><div class="container-box" style="display:none;" data-v-1e4f73b2><div class="page-loading-wrap" data-v-62844f26 data-v-1e4f73b2><div data-v-62844f26><img src="https://acfs1.goodnovel.com/dist/src/assets/images/9305813c-page_loading.png" alt="loading" class="loading-img" data-v-62844f26></div><div class="loading-txt" data-v-62844f26> Loading... </div></div></div><footer class="footer footer-en" data-v-33fbaa19 data-v-1e4f73b2><ul class="box" data-v-33fbaa19><li class="aboutus" data-v-33fbaa19><img alt="GoodNovel" src="https://acfs1.goodnovel.com/dist/src/assets/images/footer/1a2c900c-logo.png" fetchpriority="low" class="aboutus-logo" data-v-33fbaa19><div class="aboutus-follow-text" data-v-33fbaa19>Follow Us:</div><div class="aboutus-follow-list" data-v-33fbaa19><a href="https://www.facebook.com/GoodNovels" rel="nofollow" class="fb" data-v-33fbaa19></a><a href="https://www.tiktok.com/@goodnovelofficial" rel="nofollow" class="tt" data-v-33fbaa19></a><a href="https://www.instagram.com/goodnovelist" rel="nofollow" class="ins" data-v-33fbaa19></a><a href="https://www.youtube.com/@GoodNovelOfficial" rel="nofollow" class="utube" data-v-33fbaa19></a></div><div class="aboutus-copy" data-v-33fbaa19>Copyright ©‌ 2025 GoodNovel</div><div class="aboutus-line" data-v-33fbaa19><a href="/terms" rel="nofollow" data-v-33fbaa19>Terms of Use</a><span data-v-33fbaa19>|</span><a href="/privacy" rel="nofollow" data-v-33fbaa19>Privacy Policy</a></div></li><li class="item" data-v-33fbaa19><div class="title" data-v-33fbaa19>Hot Genres</div><a href="/stories/Romance-novels" class="content-li" data-v-33fbaa19>Romance</a><a href="/stories/Werewolf-novels" class="content-li" data-v-33fbaa19>Werewolf</a><a href="/stories/Mafia-novels" class="content-li" data-v-33fbaa19>Mafia</a><a href="/stories/System-novels" class="content-li" data-v-33fbaa19>System</a><a href="/stories/Fantasy-novels" class="content-li" data-v-33fbaa19>Fantasy</a><a href="/stories/Urban-novels" class="content-li" data-v-33fbaa19>Urban</a></li><li class="item" data-v-33fbaa19><div class="title" data-v-33fbaa19>Contact us</div><a href="/about_us" class="content-li" data-v-33fbaa19>About Us</a><a target="_blank" rel="nofollow" href="https://docs.google.com/forms/d/e/1FAIpQLSeN_Qb3KRdbzPQ1RGw3HTX3nOtl90SLwkBHYre56Dh_e4efNw/viewform" class="content-li" data-v-33fbaa19>Help &amp; Suggestion</a><a href="/business" rel="nofollow" class="content-li" data-v-33fbaa19>Business</a></li><li class="item" data-v-33fbaa19><div class="title" data-v-33fbaa19>Resources</div><a href="/download_apps" rel="nofollow" class="content-li" data-v-33fbaa19>Download Apps</a><a href="/writer_benefit" rel="nofollow" class="content-li" data-v-33fbaa19>Writer Benefit</a><a href="/helpCenter" rel="nofollow" class="content-li" data-v-33fbaa19>Content policy</a><a href="/tags/all" class="content-li" data-v-33fbaa19>Keywords</a><a href="/hot-searches/all" class="content-li" data-v-33fbaa19>Hot Searches</a><a href="/resources" class="content-li" data-v-33fbaa19>Book Review</a><a href="/fanfiction" class="content-li" data-v-33fbaa19>FanFiction</a><a href="/qa" style="display:none;" data-v-33fbaa19>FAQ</a><a href="/qa/id" style="display:none;" data-v-33fbaa19>FAQ</a><a href="/qa/fil" style="display:none;" data-v-33fbaa19>FAQ</a></li><li class="item" data-v-33fbaa19><div class="title" data-v-33fbaa19>Community</div><a target="_blank" rel="nofollow" href="https://www.facebook.com/groups/GoodNovels/" class="content-li" data-v-33fbaa19>Facebook Group</a><div class="title" data-v-33fbaa19>Download</div><div class="download download-apple" data-v-33fbaa19></div><div class="download download-google" data-v-33fbaa19></div></li></ul><!----></footer><!----></div><div class="download" data-v-1e4f73b2><div class="download-logo" data-v-1e4f73b2><div class="download-logo-border" data-v-1e4f73b2></div><div class="download-logo-cover" data-v-1e4f73b2></div><div class="download-logo-img" data-v-1e4f73b2></div></div><div class="qr-code-wrap" style="width:80px;height:80px;" data-v-e92e8628 data-v-1e4f73b2><div value="" level="L" background="#fff" foreground="#000" class="qr-code" data-v-e92e8628><canvas height="80" width="80" style="width:80px;height:80px;"></canvas></div><!----></div><span data-v-1e4f73b2>SCAN CODE TO READ ON APP</span></div></div><!----><div style="text-align: center; position: fixed; opacity: 0; z-index: -1; left: -9999em;"><a href="//www.dmca.com/Protection/Status.aspx?ID=0dcec714-6f50-4fa3-adf7-6aacf8fb29e3" title="DMCA.com Protection Status" class="dmca-badge"><img src="https://images.dmca.com/Badges/_dmca_premi_badge_4.png?ID=0dcec714-6f50-4fa3-adf7-6aacf8fb29e3" alt="DMCA.com Protection Status"></a></div></div><script>window.__INITIAL_STATE__={"source":{"token":{"promise":{}}},"redirectObj":{"status":false,"url":""},"bookLangKey":null,"skeletonLoading":false,"NotFound404Staus":false,"NotFound410Staus":false,"isSpider":false,"moduleCommon":{"loading":true},"moduleRead":{"opeationIndex":-1,"bgColor":0,"fontSize":20,"currentChapterId":"","currentChapterName":""},"moduleHome":{"hasViolation":false,"language":"en","userInfo":{},"isShowLogin":false,"currentPath":"\u002F","addCurrentBookInfo":{},"callBackObj":false,"bookAuthStatus":true},"moduleSearch":{"topList":[],"bottomList":[],"keyword":"","pageSize":20,"pageNo":1,"totals":1,"books":[],"allBookCount":0,"isNull":false,"keywordFormat":null,"searchKeyword":null,"recommend":{"hotWords":[],"recommendInfo":{"recommendBooks":[]}}},"moduleUserCenter":{"incomeList":[],"workDataList":[],"attendanceBonus":0,"incomeGeneralData":{},"menuStatus":1},"HomeDataModule":{"canonicalPline":-1,"bookInfoStatus":0,"bookInfo":{},"originalBooks":[],"fafictionTitle":"","maylikelist":{"name":"You may also like","items":[]},"relatedNovels":{"name":"","items":[]},"newReleaseNovels":{"name":"","items":[]},"packNum":0,"matePseudonym":false,"mockOffShelfFalg":false,"alphalist":{"name":"Myths from Alpha and Luna","items":[],"isAlpha":true},"bookList":[],"books":[],"tabs":[],"totals":1,"moreBooks":[],"moreName":"","allBookCount":0,"latestUpdateList":[],"seoRecommends":[],"seoReadersTdk":{},"seoResourcesList":[],"seo404Vo":{},"ssrComment":{"pageNo":1,"totals":1,"level":1,"allComments":0,"commentList":[],"currentCommentInfo":[]},"bookRatingsStatics":null},"moduleHub":{"keyword":"","pageSize":4,"pageNo":1,"totals":10,"books":[],"allBookCount":200,"isNull":false},"HubDataModule":{"totals":0,"books":[],"hubInfo":{"seoDesc":"","seoKeywords":"","seoTitle":""},"pageNo":1,"initLoad":false},"HomeCategoryModule":{"bookTypes":[],"totals":10,"books":[],"currentIndex":""},"ContestDataModule":{"rankBooks":[],"activityId":"","initLoad":false,"errStatus":""},"FreeZone":{"cates":[],"cateLang":"","pageNo":1,"pageSize":15,"totals":0,"filterIndex":0,"contentTypeIndex":0,"chaptersIndex":0,"bookList":[],"filter":[{"key":"1","name":"Updated"},{"key":"2","name":"New Online"}],"contentType":[{"key":null,"name":"All"},{"key":"ORIGINAL","name":"Original"},{"key":"ALTERNATE","name":"FanFiction"}],"chapters":[{"key":null,"name":"All"},{"key":"LESS30","name":"\u003C30"},{"key":"BETWEEN30_100","name":"30-100"},{"key":"BETWEEN100_200","name":"100-200"},{"key":"BETWEEN200_500","name":"200-500"},{"key":"MORE500","name":"\u003E500"}]},"AlphaDataModule":{"rankBooks":[],"activityId":"","login":false,"mateShareInfo":{},"packShareInfo":{},"initLoad":false,"errStatus":"","totalViewCount":0},"UcModule":{"bookId":null,"lang":"","bookList":[]},"Catalog":{"catalogs":[],"pageSize":10,"totalPage":0,"pageNo":0,"total":0},"Browse":{"bookTypes":[],"shortBookTypes":[],"bookTypesNav":[{"id":11,"language":"ENGLISH","desc":"Romance","genreResourceUrl":"Romance-novels","headTitle":"Romance Stories & Novels","description":"Romance novels are a genre of literature which put its focus on description of the relationship and romantic love between two persons. Romance is always a topic that people are interested in from ancient to modern time, therefore most kinds of novels include romance elements to attract readers’ interest. However, the distinction between romance novels and that of other types is their different focuses. Romance novels must include one or several love stories whether other elements are integrated. \n\nDo you like reading romance novels and enjoy others’ love stories? We offer a vast collection of popular romance novels and books online.","seoTitle":"Read Popular Romance Stories Online","seoDescription":"Explore your next beloved romance stories. Immerse yourself in captivating love stories, featuring both popular classics and newly released romance novels. Start your romantic journey now!","seoKeyword":"Romance novels, Romance stories, Romance books, Love stories","lengthType":1},{"id":16,"language":"ENGLISH","desc":"Werewolf","genreResourceUrl":"Werewolf-novels","headTitle":"Read Werewolf Stories Online","description":"Werewolf novels are a kind of literature which portrays werewolves and some shapeshifting men or women-beasts, involving exceptionally various genres. Werewolf novels integrating with romance, horror and other elements from modern perspectives will describe unexpected stories to enrich your reading experience. As a kind of novel taking werewolves as its main element, it will be different from normal stories’ plots and open your windows of imagination besides adding some fun to your boring life. No matter whether you know about werewolf novel series and how much you know about it, you can start here from now to enjoy a fantastic and magical journey with werewolves in stories.\n\nIf you are interested in werewolf novels but don’t know where you can find rich reading resources, we offer a vast collection of popular werewolf novels and books online.","lengthType":1},{"id":7,"language":"ENGLISH","desc":"Mafia","genreResourceUrl":"Mafia-novels","description":"Mafia novel is a kind of fiction with a mafia setting of main characters. Mafia bosses and an arranged marriage are common factors in Mafia novels. According to the mafia status of heroes, they are often heartless and ruthless and kill persons that they hate at will, which forms strong conflicts with romance elements added. Authors often give many details to show how a mafia hero is changed by a heroine through diverse plots with twists and turns. Complex characters’ personalities, novel plot design and romance elements always keep attractiveness to batches of readers.\n\nWe offer a vast collection of popular Mafia novels and books online. Here you will enjoy your time in reading various mafia novels.","lengthType":1},{"id":13,"language":"ENGLISH","desc":"System","genreResourceUrl":"System-novels","description":"System novels are a genre of fiction where the experience of main characters growing up is just like upgrading the system. It’s common that system novels integrate with other elements, such as game, fantasy, superpower and so on. stories of system novels often record how main characters undergo obstacles and find ways to overcome them to become stronger or successfully finish certain tough tasks. Authors always create diverse attractive plots to capture readers’ attention in a similar story framework.\n\nThe following is an excellent platform for you to select a system novel that you are interested in. We offer a vast collection of popular system novels and books online.","lengthType":1},{"id":3,"language":"ENGLISH","desc":"Fantasy","genreResourceUrl":"Fantasy-novels","headTitle":"Fantasy Stories & Novels","description":"Fantasy novels are a kind of fiction telling stories in a totally fictional world without real location, events and people. Magic power, supernatural creatures often appeared in fantasy novels. Distinguished from other series of novels, fantasy novels usually don’t reflect real life but embody authors’ great imagination. In order to shape satisfying characters in fantasy novels, authors often need to take much energy and time to inspire their imagination. Usually, fantasy novel recommendations are for children to stimulate their imagination and innovation,yet it also attracts many adult readers’ interest.\n\nWould you like to enter a fantastic world portrayed in fantasy novels? Are you finding a satisfying website to search for fantasy novels? We offer a vast collection of popular fantasy novels and books online.","lengthType":1},{"id":14,"language":"ENGLISH","desc":"Urban","genreResourceUrl":"Urban-novels","description":"A realist novel is a type of literature trying to present life as it actually is and it is also known as urban novels, which was popular at Victorian age to reflect urban life at that period. Just as the saying goes, literature originates from what happened in life but beyond that. It’s an appropriate description of realistic novels. Main characters in urban novels are often shaped by writers based on someone’s characteristics in real life. You will experience another life and learn about something from the main characters’ experience in stories.\n\nTo know realistic novels’ meaning, you need to read some urban novels by yourself to form a personal understanding. We offer a vast collection of popular realistic novels and books online. Rich reading resources are provided for you to select.","lengthType":1},{"id":6,"language":"ENGLISH","desc":"LGBTQ+","genreResourceUrl":"LGBTQ-novels","description":"LGBTQ+ novels are a type of fiction to include romance of people with various sexual orientations. Generally speaking, LGBTLQ+ novels have an inclusive attitude about sexual orientations. This kind of novel takes people with various sexual orientations as main characters and give a description detailed on their love. Different from other genre of novels, authors of LGBTQ+novels create romance stories about those people with uncommon sexual orientations more frankly to express respect for love of those minorities.\n\nWe offer a vast collection of popular LGBTQ+ novels and books online. Whether you prefer LGBTQ+ novels with bad endings or happy endings, there must be one here that you like.","lengthType":1},{"id":17,"language":"ENGLISH","desc":"YA\u002FTEEN","genreResourceUrl":"YA-TEEN-novels","description":"A YA\u002FTEEN novel is a kind of literature written for young adults or teenagers. Generally speaking, its target readers are younger than that of other kinds of novels. Considering the age of target readers, authors of ya novels are required to care about teenager problems and avoid involving content that is not beneficial to teenagers’ mental health. The theme of ya novels is not limited to adding some popular elements but it must be something that can encourage teenagers to pursue dreams and let them know the meaning of life and have a positive attitude.\n\nWe offer a vast collection of popular ya novels and books online. You can find a ya novel series that you are interested in to read at any space and any time you like.","lengthType":1},{"id":10,"language":"ENGLISH","desc":"Paranormal","genreResourceUrl":"Paranormal-novels","description":"A paranormal novel is a type of fiction to design plots and character settings in stories with imagination beyond normal expectation. Paranormal novel series cover massive elements, such as romance, horror and so on, while supernatural elements are their core. Usually, something mysterious that can not be explained by natural laws are contained in it. This kind of novel can open your mind and bring you an unique experience. Why not experience a paranormal world in your boring life?\n\nWe offer a vast collection of popular paranormal novels and books online. The best paranormal novels suitable for both adults and teenagers are supplied here for you to select and read.","lengthType":1},{"id":9,"language":"ENGLISH","desc":"Mystery\u002FThriller","genreResourceUrl":"Mystery-Thriller-novels","description":"Thriller novels are a type of stories covering wonderful plot designs and careful structures, which requires authors to have a strong logic. This kind of novel usually leaves a puzzle at the beginning of a story and all plots in the whole novel are designed to solve the puzzle and reveal the truth, which need to reflect a reasoning process with logic. This kind of novel captures readers’ curiosity and leads readers to explore the final truth step by step, which is a process to cultivate your patience and logical thinking. Would you like to have an experience of being a detective? Maybe it’s difficult to realize in reality whinin a short time, then why not read a mystery novel just now?\n\nWe offer a vast collection of popular mystery novels and books online. Mystery novels here collect massive great ideas from authors telling vivid stories.","lengthType":1},{"id":2,"language":"ENGLISH","desc":"Eastern","genreResourceUrl":"Eastern-novels","description":"Eastern stories, encompassing the rich tapestry of Chinese novels, are a genre that offers a glimpse into the cultural, historical, and philosophical fabric of the East. These stories often weave intricate narratives that reflect the diverse landscapes and ancient traditions of China, from the mystical realms of martial arts to the strategic intrigues of imperial courts. Each novel is a testament to the depth and breadth of Chinese literature that transport readers to a world of ancient wisdom, legendary heroes, and epic sagas.\n\n\n\nWe presents a treasure trove of eastern novels that will take you on a journey. Uncover the mysteries, embrace the legends, and let each page reveal the spirit of the Orient. Begin your journey now!","seoKeyword":"Eastern story, Chinese novels","lengthType":1},{"id":4,"language":"ENGLISH","desc":"Games","genreResourceUrl":"Games-novels","description":"Game novels are a kind of fiction influenced by virtual reality technology. Authors of this kind of literature take games as their background of stories and each character shaped by them experienced various things in a virtual world. Game novels reflect such a fact that people almost can’t distinguish between virtual and reality with the development of technology. Game novel recommendations are so popular among people in recent years that the phrase has become hot on the Internet. Game novels will tell you games are like life and life is also like games.\n\nWe offer a vast collection of popular game novels and books online. You will enter a game and a life in diverse game novels.","seoKeyword":"games novel, novel about game","lengthType":1},{"id":5,"language":"ENGLISH","desc":"History","genreResourceUrl":"History-novels","description":"History novels are a kind of fictional stories created by authors under a certain historical background. In this kind of novel, plots and images of characters can be invented by authors with freedom. Although the whole stories of history novels were assumed to happen in a certain or uncertain historical period, their plots are seldom limited by its background and authors have a large space to create stories based on their imagination and experience. You will feel the things described in history novels seem to happen in the past truly , which maybe urges you to search for some historical knowledge in the period mentioned in novels.\n\nWe offer a vast collection of popular history novels and books online. You can have a certain knowledge about certain historical periods while enjoying the fun brought by wonderful design of stories.","lengthType":1},{"id":8,"language":"ENGLISH","desc":"MM Romance","genreResourceUrl":"MM-Romance-novels","description":"MM Romance Books are a captivating genre of fiction focusing on male-male romantic relationships, love stories, and emotional connections. This genre delves into the depths of intimate bonds between male characters, exploring themes of attraction, understanding, and commitment. Our collection encompasses a wide range of sub-genres, including contemporary, fantasy, and historical settings, each offering unique twists and turns in the quest for love. With heart-wrenching plotlines, complex character dynamics, and tender moments, these novels paint vivid pictures of romantic endeavors. They often feature strong, nuanced male protagonists navigating life's challenges while finding solace in each other's arms.\n\nWe offers a vast collection of popular MM Romance Books online. Dive into our extensive library of MM Romance Books now! ","seoKeyword":"mm romance books","lengthType":1},{"id":12,"language":"ENGLISH","desc":"Sci-Fi","genreResourceUrl":"Sci-Fi-novels","description":"Sci-Fi novels are a kind of literature which usually tell something that will happen in future or on other planets by virtue of brilliant imagination. Some novelties that don’t exist now and innovative technologies that may appear in future often are mentioned in this kind of novel. Backgrounds of Sci-Fi novels are usually fictional and far away from real life. Elements involved in Sci-Fi, from aliens to space exploration, are very broad. If you are a person who loves something high-tech and stories with brilliant imagination, you can find some Sci-Fi novels to read to know about the world described by various writers.\n\nWe offer a vast collection of popular Sci-Fi novels and books online. Here you can read massive Sci-Fi novels that collect diverse ideas about the future and novelties from different authors.","lengthType":1},{"id":15,"language":"ENGLISH","desc":"War","genreResourceUrl":"War-novels","description":"War novels are a kind of fiction whose main plots are about wars, soldiers and strategies. Stories in this kind of novel usually take conflicts among characters as its main clues. Authors of war novels often need to give readers a reasonable background and to shape brave and kind images of main characters by detailed description on conflicts and wars. Popular war novels often shape impressive main characters’ images that could simulate readers’ passion and responsibility to keep righteous and to protect people in the world. No matter if you are a young adult, a high school student or a person at other ages, you can read war novels to appreciate the quality of heroes.\n\nWe offer a vast collection of popular war novels and books online. You will witness numerous stories about how a hero grows up in wars here.","lengthType":1},{"id":18,"language":"ENGLISH","desc":"Other","genreResourceUrl":"Other-novels","lengthType":1}],"shortBookTypesNav":[{"id":47,"language":"ENGLISH","desc":"Romance","genreResourceUrl":"Romance-short-novels","lengthType":2},{"id":52,"language":"ENGLISH","desc":"Emotional Realism","genreResourceUrl":"Emotional-Realism-short-novels","lengthType":2},{"id":53,"language":"ENGLISH","desc":"Werewolf","genreResourceUrl":"Werewolf-short-novels","lengthType":2},{"id":71,"language":"ENGLISH","desc":"Mafia","remark":"黑手党","genreResourceUrl":"Mafia-short-novels","lengthType":2},{"id":150,"language":"ENGLISH","desc":"Male POV","remark":"男视角","genreResourceUrl":"Male-POV-short-novels","lengthType":2},{"id":51,"language":"ENGLISH","desc":"Rebirth","genreResourceUrl":"Rebirth-short-novels","lengthType":2},{"id":65,"language":"ENGLISH","desc":"Steamy","genreResourceUrl":"Steamy-short-novels","lengthType":2},{"id":49,"language":"ENGLISH","desc":"Mystery\u002FThriller","genreResourceUrl":"Mystery-Thriller-short-novels","lengthType":2},{"id":67,"language":"ENGLISH","desc":"Folklore Mystery","genreResourceUrl":"Folklore-Mystery-short-novels","lengthType":2},{"id":50,"language":"ENGLISH","desc":"Imagination","genreResourceUrl":"Imagination-short-novels","lengthType":2},{"id":48,"language":"ENGLISH","desc":"Campus","genreResourceUrl":"Campus-short-novels","lengthType":2}],"typeTwoId":"","pageNo":1,"pageSize":20,"bookWords":"ALL","popular":"POPULAR","browsePath":"","bookList":[],"totalPage":0,"total":0,"typeTwoInfo":{},"typeTwoResourceUrl":null,"browseLangKey":null,"bookTypeTwo":{},"typeNewBookList":[],"typeRecommendBookList":[],"hotSearchesList":[],"tagList":[]},"bookCapter":{"chapterData":{},"chapterStatus":0,"comentList":[],"chapterTotalComments":0,"seo404Vo":{}},"tagBook":{"tag":{},"activeTab":"A","menus":[],"searchTag":"","filterBy":"","sortBy":"","pageNo":1,"pageSize":10,"totalPage":0,"total":0,"bookList":[],"writeStatus":"","order":"","des":"","hotKeyWords":[],"tagCatePageNo":1,"tagCatePages":0,"tagAllPages":0,"tagCateList":[],"nativeTag":"","topRelatedList":[],"bottomBookRelatedList":[],"bottomTagRelatedList":[],"keywordType":"","typeNewBookList":[],"typeRecommendBookList":[],"canonicalTagUrl":"","interpretation":""},"RscModule":{"rscInfo":{},"articleInfo":{},"tagInfo":{"list":[],"banner":[],"total":0,"pages":0,"pageNo":0},"categoryInfo":{"list":[],"banner":[],"total":0,"pages":0,"pageNo":0},"bannerList":[],"newList":[],"typeList":[],"moreTypeList":[],"languageList":[],"resourceTypeArticles":[],"resourceTypeArticlesPage":0,"resourceTypeArticlesPageTotal":0,"resourceTypeInfo":{},"resourceTypeOtherTypes":[],"typeRouteParam":"","isLanguage":false,"resourceTagArticles":[],"resourceTagArticlesPage":0,"resourceTagArticlesPageTotal":0,"resourceTagInfo":{},"resourceTagRecormmendActicles":[],"resourceTagHotTags":[],"categoryRecommendList":[]},"FanModule":{"rscInfo":{},"articleInfo":{},"tagInfo":{"list":[],"banner":[],"total":0,"pages":0,"pageNo":0},"categoryInfo":{"list":[],"banner":[],"total":0,"pages":0,"pageNo":0},"bannerList":[],"newList":[],"typeList":[],"moreTypeList":[],"languageList":[],"resourceTypeArticles":[],"resourceTypeArticlesPage":0,"resourceTypeArticlesPageTotal":0,"resourceTypeInfo":{},"resourceTypeOtherTypes":[],"typeRouteParam":"","isLanguage":false,"resourceTagArticles":[],"resourceTagArticlesPage":0,"resourceTagArticlesPageTotal":0,"resourceTagInfo":{},"tagGroupList":[],"resourceTagRecormmendActicles":[],"resourceTagHotTags":[]},"hotSearches":{"tag":{},"activeTab":"A","menus":[],"searchTag":"","filterBy":"","sortBy":"","pageNo":1,"pageSize":10,"totalPage":0,"total":0,"bookList":[],"writeStatus":"","order":"","des":"","hotKeyWords":[],"tagCatePageNo":1,"tagCatePages":0,"tagAllPages":0,"tagCateList":[],"nativeTag":""},"Author":{"author":{},"bookList":{"records":[],"total":0},"recommendBookList":[],"notFound":false},"Qa":{"qaList":[],"popularList":[{"id":23579,"question":"What Are The Best Detective Fiction Novels With Manga Adaptations?","questionFormat":"best-detective-fiction-novels-manga-adaptations","publishTime":"2025-05-01 08:32:45","language":"ENGLISH","answerNum":5,"firstAnswer":"I’ve always been fascinated by how detective fiction translates into manga, and one standout is 'The Devotion of Suspect X'. The novel by Keigo Higashino is a masterpiece of psychological tension, and the manga adaptation captures every twist perfectly. The art style adds a layer of visual suspense that the prose alone can’t convey. Another gem is 'Moriarty the Patriot', which reimagines Sherlock Holmes’ nemesis as a tragic anti-hero. The manga expands on the original Arthur Conan Doyle stories, giving Moriarty depth and complexity. \n\nThen there’s 'Monster' by Naoki Urasawa, which started as a manga but feels like a novel in its scope. It’s a gripping tale of a surgeon hunting a serial killer, blending medical drama with detective work. The pacing and character development are so rich, it’s hard to put down. Lastly, 'Detective Conan' (or 'Case Closed') is a classic. The manga adaptation of the original novels keeps the clever mysteries intact while adding a youthful energy that appeals to a broader audience. These adaptations prove that detective fiction and manga are a match made in storytelling heaven.","viewCount":224,"ctime":"2025-05-07 19:07:55","utime":"2025-05-08 18:27:07","viewCountDisplay":"224"},{"id":290957,"question":"How Rich Was Gary Busey?","questionFormat":"rich-gary-busey","publishTime":"2025-07-30 04:20:37","language":"ENGLISH","answerNum":2,"firstAnswer":"Alright dude, brace yourself: apparently the one-and-only Gary Busey isn’t exactly swimming in cash these days. Most sources peg his net worth at around $500,000—less than you might expect for a Hollywood veteran with his resume. Some even suggest he’s barely scraping by thanks to past legal costs, medical bills, and a bankruptcy filing back in 2012. One Redditor put it bluntly:\n\n“googling his net worth… homie is down bad” and “Net worth is 500k, medical bills might still be kicking his butt” \n\nYeah, not the millionaire lifestyle you’d imagine.","viewCount":90,"ctime":"2025-08-06 17:37:12","utime":"2025-08-06 17:38:28","viewCountDisplay":"90"},{"id":323706,"question":"How Do Scripted Podcast Narratives Retain Listeners?","questionFormat":"scripted-podcast-narratives-retain-listeners","publishTime":"2025-08-26 03:34:23","language":"ENGLISH","answerNum":2,"firstAnswer":"What pulls me into a scripted podcast and keeps me there isn’t one magic ingredient so much as a tasty, carefully layered recipe. The very first thing that grabs me is the hook — a line, a sound, or a moment that makes me tilt my head and go, ‘wait, what?’ I’ve sat on crowded trains with earbuds in, coffee cooling, because the first thirty seconds of an episode made me need to know the next line. From there, character is king: I stay for people I care about, even if they're unreliable narrators or morally messy. When a series builds characters with distinct voices (not just accents, but rhythms of speech, habits, recurring jokes), I start anticipating their next moves the same way I’d wait for a favorite comic’s monthly issue.\n\nBeyond personality, pacing and sound design do the heavy lifting. Tight scripts that know when to breathe, where to drop a beat, and how to thread a scene with sound cues keep the momentum up. Clever uses of silence, layered ambient tracks, and well-mixed dialogue can make a reveal land like a punch. If I can picture a scene because of the audio — the creak of a floorboard, the distant thunder, the echo in a hallway — I'm emotionally invested and less likely to skip or switch. Serialization helps too: a good cliffhanger or an unresolved mystery makes me line up the next episode the moment it’s released. But creators who balance serialized arcs with satisfying episodic payoffs are the ones that retain long-term listeners; I like to feel rewarded each week even as bigger puzzles unfold.\n\nCommunity and release habits round it out for me. A consistent release schedule turns episodes into appointments: I’ll schedule my morning walk around a new episode drop. Extras — behind-the-scenes, scripts, or short bonus episodes — feed my curiosity and deepen the world. Shows that invite fan theories, reference listener-created art, or drop small, surprising callbacks build a sense that I’m part of something. Accessibility matters too: transcripts, clear episode descriptions, and sensible episode lengths show respect for my time and make it easier to recommend the show to friends. Ultimately, I stay with scripted podcasts that respect my attention, surprise me often, and make me miss the characters when I’m not listening — those are the ones that end up in my ‘replay when I need comfort’ folder.","viewCount":248,"ctime":"2025-08-29 23:23:51","utime":"2025-09-02 14:00:02","viewCountDisplay":"248"},{"id":260764,"question":"Who Are The Main Characters In Outpost Book?","questionFormat":"main-characters-outpost-book","publishTime":"2025-08-12 11:06:04","language":"ENGLISH","answerNum":4,"firstAnswer":"As someone who devours dystopian fiction, 'Outpost' by Adam Baker is a gripping read with a cast of characters that stick with you long after the book ends. The story revolves around a group of oil rig workers stranded in the Arctic after a global catastrophe. The main protagonist is Jane, a strong-willed and resourceful woman who takes charge in the face of danger. Her leadership is tested as she tries to keep the group alive. Other key characters include Kieran, the pragmatic engineer who often clashes with Jane, and Lucy, a young woman whose resilience becomes crucial as the situation deteriorates.\n\nThen there's Galloway, the gruff security officer with a dark past, and Roker, the cynical medic who provides some of the book's most biting humor. Each character brings something unique to the table, whether it's survival skills, emotional depth, or moral dilemmas. The dynamics between them are just as compelling as the external threats they face, making 'Outpost' a standout in the genre.","viewCount":73,"ctime":"2025-07-19 09:02:15","utime":"2025-08-19 12:00:06","viewCountDisplay":"73"},{"id":296665,"question":"Can I Listen To Audio Books Through Library On Kindle?","questionFormat":"listen-audio-books-library-kindle","publishTime":"2025-08-19 07:13:16","language":"ENGLISH","answerNum":2,"firstAnswer":"I’ve been using my Kindle for years, and the library audiobook feature is a game-changer. It’s like having a public library in your pocket. Most libraries partner with apps like Libby or OverDrive, so you can borrow audiobooks just like physical books. The process is simple: link your library card, browse the catalog, and send the audiobook to your Kindle. The best part? It’s free. The selection varies by library, but I’ve found everything from classics to new releases. Some titles even sync with the Kindle ebook version, so you can switch between reading and listening seamlessly.\n\nThe only downside is wait times for popular titles, but that’s part of the library experience. I’ve learned to place holds early and explore lesser-known gems while waiting. The audio quality is solid, and the playback controls on Kindle are intuitive. If your library supports it, this is one of the best ways to enjoy audiobooks without breaking the bank. It’s saved me a fortune compared to subscription services, and I love supporting local libraries.","viewCount":51,"ctime":"2025-08-24 11:20:16","utime":"2025-08-26 20:00:02","viewCountDisplay":"51"},{"id":278381,"question":"Can I Buy The Fourth Wing Ebook In Paperback?","questionFormat":"buy-fourth-wing-ebook-paperback","publishTime":"2025-08-18 09:09:55","language":"ENGLISH","answerNum":5,"firstAnswer":"I totally get the appeal of wanting 'The Fourth Wing' in paperback. I remember reading the ebook version and loving it so much that I wanted a physical copy to display on my shelf. Unfortunately, not all ebooks have paperback versions available right away, especially if they're self-published or from smaller publishers. \n\nYou might want to check platforms like Amazon or Barnes & Noble to see if a paperback version has been released. Sometimes, publishers release the paperback later than the ebook to maximize sales. If it's not available yet, you could try reaching out to the author or publisher on social media to express your interest. I've done this before, and it's surprising how often they respond! Also, keep an eye out for special editions or hardcovers, as they sometimes come out before the paperback.","viewCount":219,"ctime":"2025-07-19 09:40:09","utime":"2025-08-25 03:00:06","viewCountDisplay":"219"},{"id":96356,"question":"Does 'Familienbilder' Have A Movie Adaptation?","questionFormat":"familienbilder-movie-adaptation","publishTime":"2025-06-20 05:09:44","language":"ENGLISH","answerNum":5,"firstAnswer":"I've been digging into 'Familienbilder' for a while now, and from what I've gathered, there hasn't been an official movie adaptation. The novel stands strong on its own with its intricate family dynamics and emotional depth, which would be a challenge to capture fully on screen. While some fans have speculated about potential adaptations due to its rich storytelling, nothing concrete has surfaced. The lack of a film might actually be a good thing—some books are so layered that a movie could never do them justice. \n\nThat said, the visual potential is undeniable. The setting and characters are vivid enough to imagine in a cinematic format, but so far, it remains purely literary. If a film were ever announced, it would need a director with a keen eye for subtlety to handle its nuanced themes. Until then, readers can enjoy the original work without comparing it to a screen version.","viewCount":182,"ctime":"2025-06-24 15:06:14","utime":"2025-06-27 16:00:03","viewCountDisplay":"182"},{"id":51070,"question":"What Are The Unique Skills In 'Kanzen Kaihi Healer No Kiseki'?","questionFormat":"unique-skills-kanzen-kaihi-healer-no-kiseki","publishTime":"2025-05-30 10:24:04","language":"ENGLISH","answerNum":4,"firstAnswer":"In 'Kanzen Kaihi Healer no Kiseki', the protagonist's skills revolve around evasion and healing, creating a fascinating duality. Their signature ability, 'Absolute Evasion', lets them dodge any attack with supernatural precision—almost as if time slows around them. But what’s truly unique is how they pair this with 'Miracle Healer', a power that restores allies to perfect condition instantly, even reversing near-fatal wounds. The catch? Their healing strength grows by absorbing damage they evade, turning defense into offense.\n\nBeyond combat, their 'Danger Sense' predicts threats minutes before they happen, giving them a strategic edge. They also possess 'Aura Concealment', masking their presence entirely—useful for ambushes or escaping dire situations. The story cleverly balances these skills, making every battle a dance between survival and salvation. It’s refreshing to see a healer who isn’t just a passive support but a dynamic, evasive tactician.","viewCount":205,"ctime":"2025-06-05 14:16:08","utime":"2025-06-06 10:40:46","viewCountDisplay":"205"},{"id":32823,"question":"How To Access Online Books Reading Free For Best-Selling Novels?","questionFormat":"access-online-books-reading-free-best-selling-novels","publishTime":"2025-05-14 04:51:16","language":"ENGLISH","answerNum":3,"firstAnswer":"I’ve been an avid reader for years, and finding free access to best-selling novels online has been a game-changer for me. One of my go-to platforms is Project Gutenberg, which offers over 60,000 free eBooks, including many classics. For more contemporary titles, I often check out Open Library, where you can borrow digital copies of books just like a physical library. Another great resource is ManyBooks, which has a wide selection of free eBooks across genres. I also keep an eye on promotions from platforms like Amazon Kindle, where they occasionally offer free downloads of best-sellers. Lastly, don’t overlook your local library’s digital collection—many libraries now offer free access to eBooks and audiobooks through apps like Libby or OverDrive. It’s a fantastic way to enjoy best-sellers without spending a dime.","viewCount":283,"ctime":"2025-05-21 11:35:19","utime":"2025-05-21 15:42:45","viewCountDisplay":"283"},{"id":10332,"question":"How Is Motherhood Represented In 'Rosemary’S Baby' In Contrast To Today?","questionFormat":"motherhood-represented-rosemary-s-baby-contrast-today","publishTime":"2025-04-04 11:10:27","language":"ENGLISH","answerNum":3,"firstAnswer":"Motherhood in 'Rosemary’s Baby' is portrayed as a deeply unsettling and sacrificial experience, far removed from the more empowering or nurturing depictions we often see today. Rosemary’s journey is marked by isolation, manipulation, and a loss of agency, as those around her control her pregnancy for their own sinister purposes. The film reflects the anxieties of its time, where women’s roles were often confined to the domestic sphere, and their voices were silenced. In contrast, modern narratives about motherhood, like in 'Big Little Lies' or 'The Letdown,' emphasize autonomy, community, and the complexities of balancing personal identity with parenting. 'Rosemary’s Baby' serves as a chilling reminder of how societal pressures can distort the maternal experience, while contemporary stories strive to reclaim and celebrate it.","viewCount":82,"ctime":"2025-04-10 11:59:27","utime":"2025-04-11 13:47:45","viewCountDisplay":"82"}],"total":0,"questionDetail":{"id":351308,"question":"How Can I View Metadata Of Pdf In Python With PyPDF2?","keyword":"view metadata of pdf","questionFormat":"view-metadata-pdf-python-pypdf2","publishTime":"2025-09-02 01:20:04","language":"ENGLISH","viewCount":243,"ctime":"2025-09-06 11:05:30","utime":"2025-09-10 15:04:14","answerList":[{"id":1091108,"questionId":351308,"userName":"Zander","userAvatar":"https:\u002F\u002Facf.goodnovel.com\u002Fseo\u002Fqa\u002Fe3ff990d757c361802ac7fdfa9d2b798.png?v=1&p=1","content":"Quick and practical — when I need to view metadata fast I do the minimal thing and keep it friendly. Open your PDF in binary mode, use PdfReader (or PdfFileReader if you have an older install), check reader.is_encrypted and decrypt if needed, then print reader.metadata. Example:\u003Cbr\u003E\u003Cbr\u003Efrom PyPDF2 import PdfReader\u003Cbr\u003Ereader = PdfReader('sample.pdf')\u003Cbr\u003Eprint(reader.metadata)\u003Cbr\u003E\u003Cbr\u003ECommon pitfalls: metadata can be None, keys are often prefixed with a '\u002F', and CreationDate strings may be in PDF-specific format. If you just need a human-readable dump, convert the mapping to plain strings and strip leading slashes. Also peek at reader.num_pages if you're cataloging files — metadata plus page count is a great start for organizing a small library.","ctime":"2025-09-03 14:00:21","utime":"2025-09-09 16:00:12","hitQATagObj":{}},{"id":1091107,"questionId":351308,"userName":"Leah","userAvatar":"https:\u002F\u002Facf.goodnovel.com\u002Fseo\u002Fqa\u002F6e4c132058f49d5351deaa5797a8c356.png?v=1&p=1","content":"I tend to experiment a lot and I made a small utility function that not only reads metadata via PyPDF2 but also normalizes date strings into datetime objects. The annoying part is that PDF dates are often in the format \"D:YYYYMMDDHHmmSSOHH'mm'\" and need parsing. Example flow I follow:\u003Cbr\u003E\u003Cbr\u003E- Open file using PdfReader (or PdfFileReader on old versions).\u003Cbr\u003E- Decrypt if necessary.\u003Cbr\u003E- Read reader.metadata and convert keys like '\u002FCreationDate' to 'CreationDate'.\u003Cbr\u003E- Try parsing CreationDate and ModDate to datetime, fallback to the raw string.\u003Cbr\u003E\u003Cbr\u003EA condensed code sketch:\u003Cbr\u003E\u003Cbr\u003Efrom PyPDF2 import PdfReader\u003Cbr\u003Eimport re\u003Cbr\u003Efrom datetime import datetime\u003Cbr\u003E\u003Cbr\u003Edef parse_pdf_date(s):\u003Cbr\u003E if not s: return None\u003Cbr\u003E m = re.match(r\"D:(\\d{4})(\\d{2})?(\\d{2})?(\\d{2})?(\\d{2})?(\\d{2})?\", s)\u003Cbr\u003E if not m: return s\u003Cbr\u003E parts = [int(p) if p else 0 for p in m.groups()]\u003Cbr\u003E return datetime(parts[0], max(1, parts[1] or 1), max(1, parts[2] or 1), parts[3], parts[4], parts[5])\u003Cbr\u003E\u003Cbr\u003Ereader = PdfReader('file.pdf')\u003Cbr\u003Emeta = reader.metadata or {}\u003Cbr\u003Eclean = {k.lstrip('\u002F'): (parse_pdf_date(v) if 'Date' in k else v) for k, v in meta.items()}\u003Cbr\u003Eprint(clean)\u003Cbr\u003E\u003Cbr\u003EI enjoy doing this because it turns raw garbage into something I can sort\u002Ffilter in a folder of PDFs. If you want, I can show how to export these into CSV or add a GUI to browse them.","ctime":"2025-09-04 12:06:44","utime":"2025-09-09 16:00:12","hitQATagObj":{}},{"id":1091106,"questionId":351308,"userName":"Oliver","userAvatar":"https:\u002F\u002Facf.goodnovel.com\u002Fseo\u002Fqa\u002Fe05f8dbf41d70243ac7a2ac985920269.png?v=1&p=1","content":"I like keeping things compact when I'm troubleshooting — here's a slightly different way I go about it. First, install or update PyPDF2 (pip install PyPDF2). Then use the legacy-style call if you happen to have an older release:\u003Cbr\u003E\u003Cbr\u003Efrom PyPDF2 import PdfFileReader\u003Cbr\u003Ewith open('document.pdf', 'rb') as f:\u003Cbr\u003E reader = PdfFileReader(f)\u003Cbr\u003E if reader.isEncrypted:\u003Cbr\u003E reader.decrypt('')\u003Cbr\u003E info = reader.getDocumentInfo()\u003Cbr\u003E\u003Cbr\u003EgetDocumentInfo() returns a DocumentInformation object where keys are '\u002FTitle', '\u002FAuthor', etc. I usually convert it to a normal dict with something like: metadata = {k[1:]: v for k, v in info.items()} to drop the leading slash for easier printing. Watch out: some PDFs only embed a creation or modification date and nothing else, and encrypted files will block metadata access until decrypted.\u003Cbr\u003E\u003Cbr\u003EOccasionally I prefer calling external tools like 'pdfinfo' when PyPDF2 seems to miss embedded XMP metadata, but for most quick inspections PyPDF2 does the job perfectly. If you need to mutate metadata, PyPDF2 also supports updating it via PdfWriter, but that's a different little dance.","ctime":"2025-09-04 22:19:11","utime":"2025-09-09 16:00:12","hitQATagObj":{}},{"id":1091105,"questionId":351308,"userName":"Quinn","userAvatar":"https:\u002F\u002Facf.goodnovel.com\u002Fseo\u002Fqa\u002Fc5168780a3e51eaa5dcf1b77e613bc87.png?v=1&p=1","content":"Oh, I love digging into little file mysteries — PDFs are no exception. If you just want to peek at metadata with PyPDF2, the modern, straightforward route is to use PdfReader and inspect the .metadata attribute. Here's the tiny script I usually toss into a REPL or a small utility file:\u003Cbr\u003E\u003Cbr\u003Efrom PyPDF2 import PdfReader\u003Cbr\u003E\u003Cbr\u003Ereader = PdfReader('example.pdf')\u003Cbr\u003Eif reader.is_encrypted:\u003Cbr\u003E try:\u003Cbr\u003E reader.decrypt('') # try empty password\u003Cbr\u003E except Exception:\u003Cbr\u003E raise RuntimeError('PDF is encrypted and requires a password')\u003Cbr\u003E\u003Cbr\u003Emeta = reader.metadata # returns a dictionary-like object\u003Cbr\u003Eprint(meta)\u003Cbr\u003E\u003Cbr\u003EThat .metadata often contains keys like '\u002FTitle', '\u002FAuthor', '\u002FCreator', '\u002FProducer', '\u002FCreationDate' and '\u002FModDate'. Sometimes it's None or sparse — many PDFs don't bother to set all fields. I also keep a tiny helper to normalize keys and parse the odd CreationDate format (it looks like \"D:20201231235959Z00'00'\") into a Python datetime when I need to display a friendlier timestamp. If you're on an older PyPDF2 version you'll see PdfFileReader and reader.getDocumentInfo() instead; the idea is the same.\u003Cbr\u003E\u003Cbr\u003EIf you want pretty output, convert meta to a plain dict and iterate key\u002Fvalue pairs, or write them to JSON after sanitizing dates. It’s a tiny ritual I enjoy before archivism or just poking through downloaded manuals.","ctime":"2025-09-07 11:37:59","utime":"2025-09-09 16:00:12","hitQATagObj":{}}],"viewCountDisplay":"243"},"relatedQuestion":[{"id":351300,"question":"How Can I View Metadata Of Pdf Using Adobe Acrobat?","questionFormat":"view-metadata-pdf-using-adobe-acrobat","publishTime":"2025-09-02 15:38:00","language":"ENGLISH","answerNum":4,"firstAnswer":"Okay, here’s a friendly walkthrough that I actually use when poking around PDFs: open the PDF in Adobe Acrobat (Reader or Pro), then press Ctrl+D (Cmd+D on a Mac) to pop up the Document Properties window. The Description tab is the quick view — Title, Author, Subject, and Keywords live there. If you want more, click the 'Additional Metadata' button in that window; that opens the XMP metadata viewer where you can see deeper fields like PDF producer, creation and modification timestamps, and any custom namespaces embedded by other apps.\n\nIf you have Acrobat Pro, I go further: Tools \u003E Protect & Standardize \u003E Remove Hidden Information (or search for 'Remove Hidden Information' in Tools). That previews hidden metadata, attached data, and comments that ordinary users might miss. For structural or compliance checks I open Tools \u003E Print Production \u003E Preflight to inspect PDF\u002FA, PDF\u002FX, font embedding, and more. Small tip: editing the basic fields is done right in Document Properties (change Title\u002FAuthor\u002FKeywords), but for full cleanup or forensic detail, Preflight and Remove Hidden Information are where I live — they surface the stuff regular viewers won't show.","viewCount":252,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"252"},{"id":351302,"question":"Where Can I View Metadata Of Pdf On MacOS Preview App?","questionFormat":"view-metadata-pdf-macos-preview-app","publishTime":"2025-09-02 19:02:44","language":"ENGLISH","answerNum":4,"firstAnswer":"If you've got a PDF open in Preview, the quickest way I use is Tools → Show Inspector (or press Command-I). \n\nWhen the Inspector pops up you'll usually see an 'i' tab or a 'More Info' section where Preview displays metadata like Title, Author, Subject\u002FKeywords (if the file has them), PDF producer\u002Fcreator, PDF version, page size and sometimes creation\u002Fmodification dates. If nothing shows up there, it often means the PDF simply doesn't have embedded metadata. Preview's metadata viewer is handy for a quick peek, but it's a viewer-first tool: editing fields is limited or inconsistent across macOS versions.\n\nIf you need to dig deeper or edit stuff, I switch to Finder's Get Info for basic tags, or use Terminal: mdls \u002Fpath\u002Fto\u002Ffile.pdf reveals Spotlight metadata, and 'exiftool' shows practically everything. For full edit control I go to a dedicated app like 'Adobe Acrobat' or a metadata editor. Preview's Inspector gets you most of what you need at a glance, though, and for quick checks it's my go-to.","viewCount":229,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"229"},{"id":351306,"question":"How Can I View Metadata Of Pdf And Remove Sensitive Info?","questionFormat":"view-metadata-pdf-remove-sensitive-info","publishTime":"2025-09-02 00:44:29","language":"ENGLISH","answerNum":4,"firstAnswer":"Okay, let me walk you through this like I’m chatting over coffee — metadata in PDFs hides in more places than you’d think, and removing it cleanly takes a couple of different moves.\n\nFirst, inspect. I usually run simple tools to see what’s actually inside: open the PDF’s Properties in a viewer (File \u003E Properties), run pdfinfo (poppler) or exiftool to get a full readout (exiftool file.pdf), and also search the raw file for XML XMP packets (open in a text editor and look for '\u003Cx:xmpmeta' or '\u002FMetadata'). Those tell you about the Info dictionary (Title, Author, CreationDate) and any XMP metadata. Don’t forget attachments, embedded fonts, or hidden form data — these won’t always show in basic viewers.\n\nNext, remove. If I’m on a machine with ExifTool, I run: exiftool -all= -overwrite_original file.pdf which nukes most metadata fields (ExifTool often makes a backup unless you use -overwrite_original). For a GUI I’ll use a proper PDF editor: in Acrobat Pro use Tools \u003E Redact \u003E Remove Hidden Information or Tools \u003E Sanitize Document (that removes XMP, hidden layers, comments, metadata and more). As a safety habit I always create a copy, check again with exiftool\u002Fpdfinfo, and scan the new file for any leftover strings of sensitive text. And I avoid online uploaders for sensitive docs unless I’m sure they’re trustworthy.","viewCount":293,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"293"},{"id":351299,"question":"How Do I View Metadata Of Pdf Files On Windows 10?","questionFormat":"view-metadata-pdf-files-windows-10","publishTime":"2025-09-02 11:26:25","language":"ENGLISH","answerNum":4,"firstAnswer":"Okay, here’s the friendly walkthrough I’d give a pal who just asked this over coffee.\n\nOn Windows 10, the simplest place to start is File Explorer: right‑click the PDF, pick 'Properties', then open the 'Details' tab. You’ll see basic fields like Title, Author, and sometimes Keywords — but Windows only shows what the file embeds in standard metadata fields, so a lot of PDFs look blank here even if they contain extra info.\n\nIf you want the metadata that most PDF readers expose, open the file in 'Adobe Acrobat Reader DC' (or 'PDF-XChange Editor', or 'SumatraPDF') and press Ctrl+D or go to File → Properties. That view tends to show more PDF-specific fields (like Producer, PDF version, and custom XMP data). For power users who need everything, I use 'ExifTool' (free): exiftool file.pdf shows all embedded metadata. It’s faster for batches: exiftool *.pdf dumps metadata for every file in a folder. Try a couple of these depending on how deep you need to go — and if you’re prepping files to share, remember to scrub metadata first if privacy matters.","viewCount":212,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"212"},{"id":351301,"question":"How Can I View Metadata Of Pdf Without Installing Software?","questionFormat":"view-metadata-pdf-without-installing-software","publishTime":"2025-09-02 16:25:35","language":"ENGLISH","answerNum":4,"firstAnswer":"I love poking around files, so here’s a friendly walk-through that doesn’t require installing anything new.\n\nOn Windows you can often get basic metadata without extra tools: right-click the PDF file in File Explorer, choose 'Properties' and open the 'Details' tab. You’ll see fields like Title, Author, and sometimes Creation and Modification dates. On macOS, select the file in Finder and hit 'Get Info' (or press ⌘I) for similar details. Both of these show filesystem-level and embedded metadata that many PDFs include.\n\nIf you want more embedded info, open the PDF in Firefox (its built-in viewer is great for this). Click the small 'i' icon or look for 'Document Properties' in the viewer toolbar; it exposes XMP\u002Fmetadata like Producer, Creator, and custom fields. Alternatively, you can upload to Google Drive and open the details pane — it shows upload\u002Fowner info and sometimes core metadata. Quick heads-up: I don’t like uploading personal docs to third-party sites, so for sensitive PDFs I stick to local methods like Finder\u002FFile Explorer or opening the file in a plain text editor and searching for '\u002FTitle' or '\u003Cxmp\u003E' blocks to read raw metadata. If you see XML tags, that’s the XMP packet and it’s human-readable, which I find oddly satisfying.","viewCount":151,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"151"},{"id":351303,"question":"Can I View Metadata Of Pdf From Command Line On Linux?","questionFormat":"view-metadata-pdf-command-line-linux","publishTime":"2025-09-02 00:27:28","language":"ENGLISH","answerNum":4,"firstAnswer":"Hey, if you like poking around files the same way I do when I'm binge-reading liner notes, Linux makes PDF metadata super accessible from the command line.\n\nFor a quick peek I usually start with pdfinfo (part of poppler-utils). It gives a neat summary: Title, Author, Creator, Producer, CreationDate, ModDate, Pages, PDF version, page size, and more. Example: pdfinfo 'mydoc.pdf'. If you want to filter it down: pdfinfo 'mydoc.pdf' | grep -Ei '^(Title|Author|Producer|CreationDate|Pages)'.\n\nIf you want everything — the XMP, custom metadata and more — I love exiftool (package name libimage-exiftool-perl on Debian\u002FUbuntu). exiftool -a -u -g1 'mydoc.pdf' dumps lots of readable tags organized by group. For raw XMP in case you want to copy-paste XML, strings 'mydoc.pdf' | sed -n '\u002F\u003Cx:xmpmeta\u003E\u002F,\u002F\u003C\\\u002Fx:xmpmeta\u003E\u002Fp' can pull out the chunk (works for many PDFs but not guaranteed for all).\n\nOther useful tools: pdftk 'mydoc.pdf' dump_data prints InfoKey\u002FInfoValue pairs and is handy for scripts, and mutool (from mupdf) or qpdf can inspect internals or check encryption. If a file is password-protected you can often pass the password (pdfinfo has -upw\u002F-opw). I often combine these in small scripts to audit batches of PDFs — it’s oddly satisfying. Play around and you’ll find the combo that fits your workflow best.","viewCount":110,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"110"},{"id":351304,"question":"How Do I View Metadata Of Pdf In Google Drive Viewer?","questionFormat":"view-metadata-pdf-google-drive-viewer","publishTime":"2025-09-02 12:04:14","language":"ENGLISH","answerNum":4,"firstAnswer":"Oh hey, this one pops up a lot when people hand me a PDF in Drive and expect me to see the author info right in the browser. In Google Drive’s built-in preview you can get basic file data: open the PDF, then click the little 'i' (info) icon in the top-right to open the details pane. That shows owner, location, file size, created\u002Fmodified dates and recent activity. It’s super handy for quick checks.\n\nIf you need embedded PDF properties like Title, Author, Subject, Producer or the PDF version, Drive’s preview won’t show those. My go-to move is to download the PDF and open it in Adobe Acrobat Reader (File → Properties) or another full PDF reader; that displays the XMP\u002Fmetadata fields. For command-line folks I’ll use 'pdfinfo myfile.pdf' or 'exiftool myfile.pdf' — both give a thorough dump of embedded metadata. If you prefer not to download, you can connect a metadata-aware app via Drive’s 'Open with' → 'Connect more apps' or use a reputable online metadata viewer, but be careful with sensitive files when uploading to third-party sites. That’s the practical tradeoff I usually explain to friends, depending on how private the document is.","viewCount":85,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"85"},{"id":351305,"question":"How Can I View Metadata Of Pdf Created By Microsoft Word?","questionFormat":"view-metadata-pdf-created-microsoft-word","publishTime":"2025-09-02 21:10:50","language":"ENGLISH","answerNum":4,"firstAnswer":"Oh, this one makes me nerdy-happy — I check PDF metadata all the time when I’m cleaning documents before sending them out.\n\nIf you’re still in Word, the easiest place to start is File → Info. You’ll see basic properties like Author and Title there; click Properties → Advanced Properties to edit Summary, Statistics, and any Custom fields. When you Save As PDF, click Options in the Save dialog and make sure document properties are preserved or removed depending on your goal. After the PDF exists, open it in a PDF reader — in 'Adobe Acrobat Reader' go to File → Properties (or press Ctrl+D) to view Description (Title, Author, Subject, Keywords), Custom metadata, and the PDF producer and creation\u002Fmodification times.\n\nIf you want forensic-level detail, use tools like exiftool (exiftool myfile.pdf) or Poppler’s pdfinfo (pdfinfo myfile.pdf) on the command line; they dump XMP and embedded metadata. Also double-check Windows File Explorer (right-click → Properties → Details) or macOS Finder (Get Info) for quick looks. If privacy is the issue, run Word’s Document Inspector (File → Info → Check for Issues → Inspect Document) before exporting or use Acrobat’s Remove Hidden Information \u002F Sanitize features. Personally, I run exiftool as a final check because it reveals everything including odd custom properties that Word sometimes tucks away.","viewCount":159,"ctime":"2025-09-06 11:05:30","utime":"2025-09-09 16:00:12","viewCountDisplay":"159"}],"relatedBooks":[{"bookName":"Lakeview: Falling for Brie ","pseudonym":"MarieLuv","cover":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202209\u002FLakeview-Falling-for-Brie\u002Faa63e2519dc415f6fb4223d3b230a0f1b5f6bb2c164ecc23effab78fcded2988.jpg?v=1&p=1","cover2":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202209\u002FLakeview-Falling-for-Brie\u002Faa63e2519dc415f6fb4223d3b230a0f189674e30b09fe32587809b93dbc492a61d6405d5da01bf9cb319612ab6c2f69f.jpg","ratings":10,"authorId":11455828,"introduction":"She brushes her tears away as she opens her door slamming it behind her. Taking off her shoes and throwing them in frustration across her living room. She runs up the stairs and into her room. Letting her body fall in her bed as she grips the sheets that still has the lingering smell of his scent. She grips his pillow as she falls asleep crying in her bed.\r\n(Chapt. 16- Take my Broken Wings)","labels":["Secret Crush","beautiful female lead"],"commentCount":4,"followCount":0,"chapterCount":40,"totalWords":89040,"lastChapterId":365070,"lastChapterTime":"2021-03-04 15:47:04","lastChapterName":"Mrs. Mitchell","writeStatus":"COMPLETE","typeOneIds":[3],"typeTwoIds":[19],"typeOneNames":["Genre"],"typeTwoNames":["Romance"],"genreIds":[11],"genreNames":["Romance"],"genreResourceUrls":["Romance-novels"],"newTagsIds":[24,6,3,48,79,29,13],"newTagsNames":["Campus","Drama","Comedy","Misunderstanding","CEO","First Love","Sweet Love"],"newTagsResourceUrls":["Campus-novel-stories","Drama-novel-stories","Comedy-novel-stories","Misunderstanding-novel-stories","CEO-novel-stories","First-Love-novel-stories","Sweet-Love-novel-stories"],"typeTwoResourceUrls":["Romance-novels"],"grade":"PLUS16","status":"PUBLISHED","novelType":"ORIGINAL","bookType":0,"language":"ENGLISH","free":2,"charge":1,"chargeChapterNum":7,"contractStatus":"SIGNED","contractType":"EXCLUSIVE","contractTime":"2021-02-01 14:05:39","ctime":"2020-12-01 02:20:26","unit":"CHAPTER","genderType":2,"noteStatus":1,"freeBook":0,"likeNum":0,"haveSplitBook":false,"seoBookName":"Lakeview: Falling for Brie ","lengthType":1,"read":false,"inLibrary":false,"bookResourceUrl":"Lakeview-Falling-for-Brie_31000000753","labelsResourceUrl":["secret-crush-novel-stories","beautiful-female-lead-novel-stories"],"viewCountDisplay":"19.9K","writeStatusDisplay":"Completed","lastUpdateTimeDisplay":"Completed","bookId":"31000000753"},{"bookName":"Behind The Gate of Lakeview ","pseudonym":"RiriWrites","cover":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202208\u002FBehind-The-Gate-of-Lakeview\u002F1e9a3ba48c67d46669316e92cf726a0c36447811f59a35db83b20a1ca907e4e6.jpg?v=1&p=1","cover2":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202208\u002FBehind-The-Gate-of-Lakeview\u002F1e9a3ba48c67d46669316e92cf726a0ccf74e6c17b857948af58ddfd3ec0cd8d795796d3878951e5d7862170e1488920.jpg","ratings":8,"authorId":10100277,"introduction":"Jadeshola Badmus is not your regular female lead. She's Outspoken, Brilliant, Sassy, beautiful, intelligent and is the president of the Literary and debate team. What's more, she comes from a very wealthy family and is the head girl of her school, Lakeview High, one of the most prestigious schools in the country. The only bad luck for her comes in the form of the golden star boy of the school, Uthman Gbadamosi, her arch rival in debating, the school's head boy, football team captain and the crush of many girls in school except Jade of course.\r\n\r\nThe two are thrown together after a brief encounter and they found themselves developing feelings for each other admist family breakdown, friend's betrayal, failed tests and missed opportunities.\r\n\r\nThis book basically follows the lives of the finalists at Lakeview High as they maneuver their way to become better adults in the seemingly ugly world.","labels":["Love-Triangle","Sweet","Nerd","Drama","Slice of Life","enemies"],"commentCount":1,"followCount":0,"chapterCount":59,"totalWords":163774,"lastChapterId":754772,"lastChapterTime":"2021-06-29 16:59:22","lastChapterName":"Fifty Six","writeStatus":"COMPLETE","typeOneIds":[3],"typeTwoIds":[19],"typeOneNames":["Genre"],"typeTwoNames":["Romance"],"genreIds":[11],"genreNames":["Romance"],"genreResourceUrls":["Romance-novels"],"typeTwoResourceUrls":["Romance-novels"],"grade":"PLUS16","status":"PUBLISHED","novelType":"ORIGINAL","bookType":0,"language":"ENGLISH","free":2,"charge":1,"chargeChapterNum":6,"contractStatus":"SIGNED","contractType":"NON_EXCLUSIVE","contractTime":"2021-06-01 17:36:33","ctime":"2021-05-19 18:32:47","unit":"CHAPTER","genderType":2,"freeBook":0,"likeNum":0,"haveSplitBook":false,"seoBookName":"Behind The Gate of Lakeview ","lengthType":1,"read":false,"inLibrary":false,"bookResourceUrl":"Behind-The-Gate-of-Lakeview_31000040424","labelsResourceUrl":["love-triangle-novel-stories","sweet-novel-stories","nerd-novel-stories","drama-novel-stories","slice-of-life-novel-stories","enemies-novel-stories"],"viewCountDisplay":"3.0K","writeStatusDisplay":"Completed","lastUpdateTimeDisplay":"Completed","bookId":"31000040424"},{"bookName":"A Wife For The Billionaire ","pseudonym":"TrustPen","cover":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202307\u002FA-Wife-For-The-Billionaire\u002F79a5671a94b5adef67efca0512196fcf6556e890f44bb205bfc8028588c4f303.jpg?v=1&p=1","cover2":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202307\u002FA-Wife-For-The-Billionaire\u002F79a5671a94b5adef67efca0512196fcff2f0c35752c47a43dfdf9f82fc5871e7931a6a22d9907f40f6415079e0fcea31.jpg","ratings":9.8,"authorId":49758012,"introduction":"Oliver Haywood is a cold and ruthless billionaire who doesn't want any woman in his life due to his past. Even with the amount of women begging for his attention, he has refused to marry.\r\n\r\nBut things changed the day his grandfather's will was read and it was stated that he is to lose his inheritance to an orphanage except he gets married and father a child within a year and six months. Although he doesn’t care about his grandfather’s wealth but not being able to stand and watch his grandfather's legacy and all he has worked hard for to be donated to orphanages, he swallowed his hatred and instructed his assistant to find a wife in less than 48 hours or else he is going to lose his job.\r\n\r\nAfter rejecting 44 women, he finally picked the last one standing. Which is a lady that came from the lower class of society but didn't look anything like someone that grew from the slums.\r\n\r\nHe had picked her out of curiosity and unknown to him she has had a crush on him for the longest time and her reason for marrying him is to make him fall in love with her. But will Nuella Allen succeed in getting his heart? Will she make him change his view regarding all women? Would he want to grow old with her? Was she really from the slums? There is only one way to find out.\r\n","labels":["Billionaire","ruthless","jealousy","Powerful","Contract Marriage"],"commentCount":40,"followCount":0,"chapterCount":148,"totalWords":223253,"lastChapterId":11053561,"lastChapterTime":"2025-01-13 19:29:41","lastChapterName":"Epilogue","writeStatus":"COMPLETE","typeOneIds":[3],"typeTwoIds":[204],"typeOneNames":["Genre"],"typeTwoNames":["Billionaire"],"genreIds":[11],"genreNames":["Romance"],"genreResourceUrls":["Romance-novels"],"newTagsIds":[79,13,27,55,25,4,108,6,91],"newTagsNames":["CEO","Sweet Love","Divorce","Revenge","Contract Marriage","Contemporary","Ruthless","Drama","Hidden Identity"],"newTagsResourceUrls":["CEO-novel-stories","Sweet-Love-novel-stories","Divorce-novel-stories","Revenge-novel-stories","Contract-Marriage-novel-stories","Contemporary-novel-stories","Ruthless-novel-stories","Drama-novel-stories","Hidden-Identity-novel-stories"],"typeTwoResourceUrls":["Billionaire-novels"],"grade":"PLUS16","status":"PUBLISHED","novelType":"ORIGINAL","bookType":0,"language":"ENGLISH","free":2,"charge":1,"chargeChapterNum":8,"contractStatus":"SIGNED","contractType":"EXCLUSIVE","contractTime":"2023-06-12 16:12:59","ctime":"2023-05-28 13:10:06","unit":"CHAPTER","genderType":2,"noteStatus":1,"freeBook":0,"likeNum":0,"haveSplitBook":false,"seoBookName":"A Wife For The Billionaire ","lengthType":1,"tts":0,"read":false,"inLibrary":false,"bookResourceUrl":"A-Wife-For-The-Billionaire_31000535725","labelsResourceUrl":["billionaire-novel-stories","ruthless-novel-stories","jealousy-novel-stories","powerful-novel-stories","contract-marriage-novel-stories"],"viewCountDisplay":"432.5K","writeStatusDisplay":"Completed","lastUpdateTimeDisplay":"Completed","bookId":"31000535725"},{"bookName":"Interview With The Gangster","pseudonym":"Sei","cover":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202303\u002FInterview-With-The-Gangster\u002Fa4e0b76c1455493276e95b36950dc76d1f1a5099df639725e8f9af82323e4f97.jpg?v=1&p=1","cover2":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202303\u002FInterview-With-The-Gangster\u002Fa4e0b76c1455493276e95b36950dc76d51d9d8a59e7df496c4d0c497af48adbec86474d630b31ff699bffd99c82bc617.jpg","ratings":0,"authorId":54057627,"introduction":"As a journalist, Angie McAlister is used to uncovering many facts. Her name is very famous because she dares to reveal sensitive facts and involves famous names. Death seemed to dance before her eyes because she was so active with her courage to reveal facts.\r\nAfter being fired from her workplace, Angie decides to become a freelance journalist and is not tied to any company. She meets an attractive man at a nightclub and learns that he is connected to a major mafia organization.\r\nMaxime Seagrave, a former Wolf Gang member who Angie continues to pursue. After many offers made by Angie, Maxime finally agrees to be interviewed only if Angie gives one thing in return; herself.\r\nMystery after mystery, question after question. Slowly, Angie will find out why Maxime quit the group, and Maxime... he will find out that Angie is not as innocent as he thought.","labels":["Tragedy","Manipulative","Brave","Revenge","Romance","Mafia","Misunderstanding"],"commentCount":0,"followCount":0,"chapterCount":15,"totalWords":17530,"lastChapterId":9827059,"lastChapterTime":"2024-10-04 21:34:24","lastChapterName":"Horrible Death","writeStatus":"ONGOING","typeOneIds":[3],"typeTwoIds":[19],"typeOneNames":["Genre"],"typeTwoNames":["Romance"],"genreIds":[11],"genreNames":["Romance"],"genreResourceUrls":["Romance-novels"],"typeTwoResourceUrls":["Romance-novels"],"grade":"PLUS18","status":"PUBLISHED","novelType":"ORIGINAL","bookType":0,"language":"ENGLISH","free":2,"charge":1,"chargeChapterNum":99999,"contractStatus":"SIGNED","contractType":"NON_EXCLUSIVE","contractTime":"2023-04-03 11:03:54","ctime":"2023-03-27 15:40:49","unit":"CHAPTER","genderType":2,"freeBook":0,"likeNum":0,"haveSplitBook":false,"seoBookName":"Interview With The Gangster","lengthType":1,"read":false,"inLibrary":false,"bookResourceUrl":"Interview-With-The-Gangster_31000499556","labelsResourceUrl":["tragedy-novel-stories","manipulative-novel-stories","brave-novel-stories","revenge-novel-stories","romance-novel-stories","mafia-novel-stories","misunderstanding-novel-stories"],"viewCountDisplay":"1.0K","writeStatusDisplay":"Ongoing","lastUpdateTimeDisplay":"Ongoing","bookId":"31000499556"},{"bookName":"Revival of an Elite; the Fiery Wife Rules","pseudonym":"Entangling Story","cover":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202208\u002FRevival-of-an-Elite-the-Fiery-Wife-Rules\u002F4cff46c02e04cb70d5eb7e4189568ce47781440c3740b662c714db5af11f3f29.jpg?v=1&p=1","cover2":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202208\u002FRevival-of-an-Elite-the-Fiery-Wife-Rules\u002F4cff46c02e04cb70d5eb7e4189568ce4dceecffc31c94b5d13b912235a6d28fbe21fe203888acafcd609508850513743.jpg","ratings":8.9,"authorId":0,"introduction":"She was deceived by people who were wolves in sheep's clothing and ended up dead on the operating table with both her eyes and uterus removed. However, God was kind enough to give her a second chance of life. She was gifted with ethereal beauty and a gaze that could kill. Every gesture and expression she made was as poisonous as opium poppy. Step by step, she laid out her scheme, swore to send people who murdered her down to hell and suffer in eternal doom. At the same time, she took great lengths to insinuate herself in the life of her ex-fiancé after breaking off the engagement in her past life for the douchebag. One day, she approached him with a seductive smile and said, \"Mr. Gu, you might view me as wild and promiscuous, but in reality, I am a well-mannered lady. I am also loyal and faithful to my loved one. You will have to see past this facade in order to know the real me.\"","labels":["Reincarnation","Revenge","Romance"],"commentCount":66,"followCount":0,"chapterCount":920,"totalWords":683272,"lastChapterId":4958102,"lastChapterTime":"2020-09-22 14:41:00","lastChapterName":"Chapter 920","writeStatus":"COMPLETE","typeOneIds":[3],"typeTwoIds":[19],"typeOneNames":["Genre"],"typeTwoNames":["Romance"],"genreIds":[11],"genreNames":["Romance"],"genreResourceUrls":["Romance-novels"],"newTagsIds":[89,6,15,11,28,22,82,55],"newTagsNames":["Heir\u002FHeirness","Drama","Tragedy","Mystery","Face-Slapping","Betrayal","Doctor","Revenge"],"newTagsResourceUrls":["Heir-Heirness-novel-stories","Drama-novel-stories","Tragedy-novel-stories","Mystery-novel-stories","Face-Slapping-novel-stories","Betrayal-novel-stories","Doctor-novel-stories","Revenge-novel-stories"],"typeTwoResourceUrls":["Romance-novels"],"grade":"PLUS4","status":"PUBLISHED","novelType":"TRANSLATION","bookType":0,"language":"ENGLISH","free":2,"charge":1,"chargeChapterNum":20,"contractStatus":"SIGNED","ctime":"2020-03-04 21:23:56","unit":"CHAPTER","genderType":2,"freeBook":0,"likeNum":0,"haveSplitBook":false,"seoBookName":"Revival of an Elite; the Fiery Wife Rules","lengthType":1,"read":false,"inLibrary":false,"bookResourceUrl":"Revival-of-an-Elite-the-Fiery-Wife-Rules_31000546981","labelsResourceUrl":["reincarnation-novel-stories","revenge-novel-stories","romance-novel-stories"],"viewCountDisplay":"145.5K","writeStatusDisplay":"Completed","lastUpdateTimeDisplay":"Completed","bookId":"31000546981"},{"bookName":"YES DADDY, MAKE ME YOUR TOY","pseudonym":"Lily Mason","cover":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202501\u002F940cb1fe3c1a8a503454a0b0fca45c0dc2b5d6853b54178552fdcf94e2af7d2e.jpg?v=1&p=1","cover2":"https:\u002F\u002Facf.goodnovel.com\u002Fbook\u002F202501\u002F940cb1fe3c1a8a503454a0b0fca45c0dc680ac1119eba91a0d8c0b2f7944d45be54efe5182129a204e6d2357abc86935.jpg","ratings":8.8,"authorId":41704296,"introduction":"\r\n\"Holy Shit. When did you get in here? Ben stepped out hours ago.\" the shock on his face when he sees my wide eyes staring down at his cock.\r\n\r\n\"Do you walk all naked when no one is at home but you?\" My thighs clenched together; I didn't know how I suddenly said that out.\r\n\r\n\"Little girl, are you not afraid to take your eyes off? This can ruin you.\" His dominance wraps around his voice, my eyes trail off his cock, and I view his entire body. The masculinity got my thighs drooling and gave me the fastest shock I had ever felt in my stomach. It's the first time I've taken note of how perfect his body curves are.\r\n\r\n\"Then I want to be ruined only by your cock.\" My eyes grow in size at my own words.\r\n\r\nAnastasia visited to resolve the issues revolving around her toxic relationship with Ben, her 21-year-old boyfriend.\r\nShe happened not to meet him at home after he lied about being home. \r\n\r\nShe was frustrated and pained because it looks like she has been putting more effort into the relationship than he has, and it was killing her. \r\n\r\nIt was killing her that she always had to be the one getting hurt all the time. Even when he is wrong, she takes the blame for it and apologizes for no fucking reason.\r\nBut everything changed when she saw his father's big cock that night at his place.\r\n\r\nShe's never seen a cock as huge and dominating as his. A voice in her head screamed for her to run, but no, she was so curious to know how it would feel in her mouth and in her damn wet core.","labels":["Love-Triangle","Dark Romance","Age Gap","Steamy","Obsession","Twisted","Powerful"],"commentCount":33,"followCount":0,"chapterCount":64,"totalWords":113720,"lastChapterId":10420934,"lastChapterTime":"2024-11-23 22:28:41","lastChapterName":"Chapter 64","writeStatus":"ONGOING","typeOneIds":[3],"typeTwoIds":[19],"typeOneNames":["Genre"],"typeTwoNames":["Romance"],"genreIds":[11],"genreNames":["Romance"],"genreResourceUrls":["Romance-novels"],"newTagsIds":[2,5,9,79,18,19,31],"newTagsNames":["Adventurous","Dark Romance","First-Person POV","CEO","Affair","Age Gap","Forbidden Love"],"newTagsResourceUrls":["Adventurous-novel-stories","Dark-Romance-novel-stories","First-Person-POV-novel-stories","CEO-novel-stories","Affair-novel-stories","Age-Gap-novel-stories","Forbidden-Love-novel-stories"],"typeTwoResourceUrls":["Romance-novels"],"grade":"PLUS18","status":"PUBLISHED","novelType":"ORIGINAL","bookType":0,"language":"ENGLISH","free":2,"charge":1,"chargeChapterNum":5,"contractStatus":"SIGNED","contractType":"NON_EXCLUSIVE","contractTime":"2024-05-08 17:20:26","ctime":"2024-05-03 06:23:14","unit":"CHAPTER","genderType":2,"freeBook":0,"likeNum":0,"haveSplitBook":false,"seoBookName":"YES DADDY, MAKE ME YOUR TOY","lengthType":1,"read":false,"inLibrary":false,"bookResourceUrl":"YES-DADDY-MAKE-ME-YOUR-TOY_31000744269","labelsResourceUrl":["love-triangle-novel-stories","dark-romance-novel-stories","age-gap-novel-stories","steamy-novel-stories","obsession-novel-stories","twisted-novel-stories","powerful-novel-stories"],"viewCountDisplay":"158.3K","writeStatusDisplay":"Ongoing","lastUpdateTimeDisplay":"Ongoing","bookId":"31000744269"}],"recommendTag":[{"id":11224,"keyword":"Hiero's Journey","keywordFormat":"hiero-s-journey","language":"ENGLISH"},{"id":20120,"keyword":"Best Selling Romance Books","keywordFormat":"best-selling-romance-books","language":"ENGLISH"},{"id":2959,"keyword":"Vim And Vigor","keywordFormat":"vim-and-vigor","language":"ENGLISH"},{"id":12668,"keyword":"Autobiography Of A Face","keywordFormat":"autobiography-of-a-face","language":"ENGLISH"},{"id":5982,"keyword":"Oh Sweet Winter Child","keywordFormat":"oh-sweet-winter-child","language":"ENGLISH"},{"id":3266,"keyword":"Online Kindle Viewer","keywordFormat":"online-kindle-viewer","language":"ENGLISH"},{"id":9331,"keyword":"The Plot","keywordFormat":"the-plot","language":"ENGLISH"},{"id":3904,"keyword":"Wattpad Smuts","keywordFormat":"wattpad-smuts","language":"ENGLISH"},{"id":36018,"keyword":"Bee Movie Script","keywordFormat":"bee-movie-script","language":"ENGLISH"},{"id":7848,"keyword":"Two Can Keep A Secret","keywordFormat":"two-can-keep-a-secret","language":"ENGLISH"},{"id":6220,"keyword":"Genshin Impact Heaven's Will Let Teyvat Become The Supreme World","keywordFormat":"genshin-impact-heaven-s-will-let-teyvat-become-the-supreme-world","language":"ENGLISH"},{"id":8531,"keyword":"The Last Bookshop In London","keywordFormat":"the-last-bookshop-in-london","language":"ENGLISH"},{"id":27820,"keyword":"Programming Books","keywordFormat":"programming-books","language":"ENGLISH"},{"id":25716,"keyword":"Why Is The Catcher In The Rye Banned","keywordFormat":"why-is-the-catcher-in-the-rye-banned","language":"ENGLISH"},{"id":19363,"keyword":"Hbp Reading","keywordFormat":"hbp-reading","language":"ENGLISH"},{"id":27265,"keyword":"Best Book Recommendation","keywordFormat":"best-book-recommendation","language":"ENGLISH"},{"id":8774,"keyword":"One Second After","keywordFormat":"one-second-after","language":"ENGLISH"},{"id":27994,"keyword":"Dystopian Adult Books","keywordFormat":"dystopian-adult-books","language":"ENGLISH"},{"id":10268,"keyword":"The Giver","keywordFormat":"the-giver","language":"ENGLISH"},{"id":28206,"keyword":"Erich Heckel","keywordFormat":"erich-heckel","language":"ENGLISH"},{"id":9277,"keyword":"Rainbow Girl","keywordFormat":"rainbow-girl","language":"ENGLISH"},{"id":395,"keyword":"Book The Lincoln Lawyer","keywordFormat":"book-the-lincoln-lawyer","language":"ENGLISH"},{"id":20656,"keyword":"Library Free Online Books","keywordFormat":"library-free-online-books","language":"ENGLISH"},{"id":9536,"keyword":"Blind Side","keywordFormat":"blind-side","language":"ENGLISH"},{"id":17161,"keyword":"Blog For Dummies","keywordFormat":"blog-for-dummies","language":"ENGLISH"},{"id":27453,"keyword":"Suzuki Method Book 3","keywordFormat":"suzuki-method-book-3","language":"ENGLISH"},{"id":21421,"keyword":"Novelist App","keywordFormat":"novelist-app","language":"ENGLISH"},{"id":3265,"keyword":"Reference This Book","keywordFormat":"reference-this-book","language":"ENGLISH"},{"id":6502,"keyword":"Danger Squad Legends","keywordFormat":"danger-squad-legends","language":"ENGLISH"},{"id":29155,"keyword":"Heartland Library Cooperative","keywordFormat":"heartland-library-cooperative","language":"ENGLISH"}],"tagDetail":{"seoQATag":{},"relatedBookVos":[],"recommendQATag":[],"popularQuestion":[],"relatedQuestion":[],"relatedQATag":[]},"tagList":[],"tagListPages":0,"tagKeywords":[],"homeRecommendTag":{}},"route":{"name":"QaDetail","path":"\u002Fqa\u002Fview-metadata-pdf-python-pypdf2","hash":"","query":{},"params":{"questionFormat":"view-metadata-pdf-python-pypdf2"},"fullPath":"\u002Fqa\u002Fview-metadata-pdf-python-pypdf2","meta":{},"from":{"name":null,"path":"\u002F","hash":"","query":{},"params":{},"fullPath":"\u002F","meta":{}}}};(function(){var s;(s=document.currentScript||document.scripts[document.scripts.length-1]).parentNode.removeChild(s);}());</script><script src="https://acfs1.goodnovel.com/dist/manifest.f15be0b048f83d232eb1.js" defer></script><script src="https://acfs1.goodnovel.com/dist/vendor.9ee21a5d99db73344b98.js" defer></script><script src="https://acfs1.goodnovel.com/dist/app.58edbd2dfd52b672e372.js" defer></script> </div> </body> <!-- Global site tag (gtag.js) - Google Analytics --> <script async src="https://www.googletagmanager.com/gtag/js?id=UA-156286741-1"></script> <!-- <script async type="text/javascript" src="/static/pwa.js"></script> --> <script src="https://accounts.google.com/gsi/client" async defer></script> <script>window.dataLayer = window.dataLayer || []; function gtag() { dataLayer.push(arguments) } gtag("js", new Date()); gtag("config", "UA-156286741-1");</script> </html>