File size: 8,547 Bytes
e903a32 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 |
#!/usr/bin/env node
import { config } from 'dotenv';
import { join, dirname, basename } from 'path';
import { fileURLToPath } from 'url';
import { copyFileSync, existsSync, mkdirSync, readFileSync, writeFileSync, readdirSync, statSync } from 'fs';
import { convertNotionToMarkdown } from './notion-converter.mjs';
import { convertToMdx } from './mdx-converter.mjs';
// Load environment variables from .env file
config();
const __filename = fileURLToPath(import.meta.url);
const __dirname = dirname(__filename);
// Default configuration
const DEFAULT_INPUT = join(__dirname, 'input', 'pages.json');
const DEFAULT_OUTPUT = join(__dirname, 'output');
const ASTRO_CONTENT_PATH = join(__dirname, '..', '..', 'src', 'content', 'article.mdx');
const ASTRO_ASSETS_PATH = join(__dirname, '..', '..', 'src', 'content', 'assets', 'image');
const ASTRO_BIB_PATH = join(__dirname, '..', '..', 'src', 'content', 'bibliography.bib');
function parseArgs() {
const args = process.argv.slice(2);
const config = {
input: DEFAULT_INPUT,
output: DEFAULT_OUTPUT,
clean: false,
notionOnly: false,
mdxOnly: false,
token: process.env.NOTION_TOKEN
};
for (const arg of args) {
if (arg.startsWith('--input=')) {
config.input = arg.split('=')[1];
} else if (arg.startsWith('--output=')) {
config.output = arg.split('=')[1];
} else if (arg.startsWith('--token=')) {
config.token = arg.split('=')[1];
} else if (arg === '--clean') {
config.clean = true;
} else if (arg === '--notion-only') {
config.notionOnly = true;
} else if (arg === '--mdx-only') {
config.mdxOnly = true;
}
}
return config;
}
function showHelp() {
console.log(`
π Notion to MDX Toolkit
Usage:
node index.mjs [options]
Options:
--input=PATH Input pages configuration file (default: input/pages.json)
--output=PATH Output directory (default: output/)
--token=TOKEN Notion API token (or set NOTION_TOKEN env var)
--clean Clean output directory before processing
--notion-only Only convert Notion to Markdown (skip MDX conversion)
--mdx-only Only convert existing Markdown to MDX
--help, -h Show this help
Environment Variables:
NOTION_TOKEN Your Notion integration token
Examples:
# Full conversion workflow
NOTION_TOKEN=your_token node index.mjs --clean
# Only convert Notion pages to Markdown
node index.mjs --notion-only --token=your_token
# Only convert existing Markdown to MDX
node index.mjs --mdx-only
# Custom paths
node index.mjs --input=my-pages.json --output=converted/ --token=your_token
Configuration File Format (pages.json):
{
"pages": [
{
"id": "your-notion-page-id",
"title": "Page Title",
"slug": "page-slug"
}
]
}
Workflow:
1. Notion β Markdown (with media download)
2. Markdown β MDX (with Astro components)
3. Copy to Astro content directory
`);
}
function ensureDirectory(dir) {
if (!existsSync(dir)) {
mkdirSync(dir, { recursive: true });
}
}
async function cleanDirectory(dir) {
if (existsSync(dir)) {
const { execSync } = await import('child_process');
execSync(`rm -rf "${dir}"/*`, { stdio: 'inherit' });
}
}
function readPagesConfig(inputFile) {
try {
const content = readFileSync(inputFile, 'utf8');
return JSON.parse(content);
} catch (error) {
console.error(`β Error reading pages config: ${error.message}`);
return { pages: [] };
}
}
function copyToAstroContent(outputDir) {
console.log('π Copying MDX files to Astro content directory...');
try {
// Ensure Astro directories exist
mkdirSync(dirname(ASTRO_CONTENT_PATH), { recursive: true });
mkdirSync(ASTRO_ASSETS_PATH, { recursive: true });
// Copy MDX file
const files = readdirSync(outputDir);
const mdxFiles = files.filter(file => file.endsWith('.mdx'));
if (mdxFiles.length > 0) {
const mdxFile = join(outputDir, mdxFiles[0]); // Take the first MDX file
copyFileSync(mdxFile, ASTRO_CONTENT_PATH);
console.log(` β
Copied MDX to ${ASTRO_CONTENT_PATH}`);
}
// Copy images
const mediaDir = join(outputDir, 'media');
if (existsSync(mediaDir)) {
const imageExtensions = ['.png', '.jpg', '.jpeg', '.gif', '.svg'];
let imageCount = 0;
function copyImagesRecursively(dir) {
const files = readdirSync(dir);
for (const file of files) {
const filePath = join(dir, file);
const stat = statSync(filePath);
if (stat.isDirectory()) {
copyImagesRecursively(filePath);
} else if (imageExtensions.some(ext => file.toLowerCase().endsWith(ext))) {
const filename = basename(filePath);
const destPath = join(ASTRO_ASSETS_PATH, filename);
copyFileSync(filePath, destPath);
imageCount++;
}
}
}
copyImagesRecursively(mediaDir);
console.log(` β
Copied ${imageCount} image(s) to ${ASTRO_ASSETS_PATH}`);
// Update image paths in MDX file
const mdxContent = readFileSync(ASTRO_CONTENT_PATH, 'utf8');
let updatedContent = mdxContent.replace(/\.\/media\//g, './assets/image/');
// Remove the subdirectory from image paths since we copy images directly to assets/image/
updatedContent = updatedContent.replace(/\.\/assets\/image\/[^\/]+\//g, './assets/image/');
writeFileSync(ASTRO_CONTENT_PATH, updatedContent);
console.log(` β
Updated image paths in MDX file`);
}
// Create empty bibliography.bib
writeFileSync(ASTRO_BIB_PATH, '');
console.log(` β
Created empty bibliography at ${ASTRO_BIB_PATH}`);
} catch (error) {
console.warn(` β οΈ Failed to copy to Astro: ${error.message}`);
}
}
async function main() {
const args = process.argv.slice(2);
if (args.includes('--help') || args.includes('-h')) {
showHelp();
process.exit(0);
}
const config = parseArgs();
console.log('π Notion to MDX Toolkit');
console.log('========================');
try {
if (config.clean) {
console.log('π§Ή Cleaning output directory...');
await cleanDirectory(config.output);
}
if (config.mdxOnly) {
// Only convert existing Markdown to MDX
console.log('π MDX conversion only mode');
await convertToMdx(config.output, config.output);
copyToAstroContent(config.output);
} else if (config.notionOnly) {
// Only convert Notion to Markdown
console.log('π Notion conversion only mode');
await convertNotionToMarkdown(config.input, config.output, config.token);
} else {
// Full workflow
console.log('π Full conversion workflow');
// Step 1: Convert Notion to Markdown
console.log('\nπ Step 1: Converting Notion pages to Markdown...');
await convertNotionToMarkdown(config.input, config.output, config.token);
// Step 2: Convert Markdown to MDX with Notion metadata
console.log('\nπ Step 2: Converting Markdown to MDX...');
const pagesConfig = readPagesConfig(config.input);
const firstPage = pagesConfig.pages && pagesConfig.pages.length > 0 ? pagesConfig.pages[0] : null;
const pageId = firstPage ? firstPage.id : null;
await convertToMdx(config.output, config.output, pageId, config.token);
// Step 3: Copy to Astro content directory
console.log('\nπ Step 3: Copying to Astro content directory...');
copyToAstroContent(config.output);
}
console.log('\nπ Conversion completed successfully!');
} catch (error) {
console.error('β Error:', error.message);
process.exit(1);
}
}
// Export functions for use as module
export { convertNotionToMarkdown, convertToMdx };
// Run CLI if called directly
if (import.meta.url === `file://${process.argv[1]}`) {
main();
}
|