GitHub Assets Preview

Preview text-based files directly in the browser on GitHub release pages

이 스크립트를 설치하려면 Tampermonkey, Greasemonkey 또는 Violentmonkey와 같은 확장 프로그램이 필요합니다.

이 스크립트를 설치하려면 Tampermonkey와 같은 확장 프로그램을 설치해야 합니다.

이 스크립트를 설치하려면 Tampermonkey 또는 Violentmonkey와 같은 확장 프로그램이 필요합니다.

이 스크립트를 설치하려면 Tampermonkey 또는 Userscripts와 같은 확장 프로그램이 필요합니다.

이 스크립트를 설치하려면 Tampermonkey와 같은 확장 프로그램이 필요합니다.

이 스크립트를 설치하려면 유저 스크립트 관리자 확장 프로그램이 필요합니다.

(이미 유저 스크립트 관리자가 설치되어 있습니다. 설치를 진행합니다!)

이 스타일을 설치하려면 Stylus와 같은 확장 프로그램이 필요합니다.

이 스타일을 설치하려면 Stylus와 같은 확장 프로그램이 필요합니다.

이 스타일을 설치하려면 Stylus와 같은 확장 프로그램이 필요합니다.

이 스타일을 설치하려면 유저 스타일 관리자 확장 프로그램이 필요합니다.

이 스타일을 설치하려면 유저 스타일 관리자 확장 프로그램이 필요합니다.

이 스타일을 설치하려면 유저 스타일 관리자 확장 프로그램이 필요합니다.

(이미 유저 스타일 관리자가 설치되어 있습니다. 설치를 진행합니다!)

// ==UserScript==
// @name         GitHub Assets Preview
// @namespace    https://github.com/shawnlinboy/github-assets-preview
// @version      1.0.5
// @description  Preview text-based files directly in the browser on GitHub release pages
// @author       Shen Lin
// @license      Apache-2.0
// @homepageURL  https://github.com/shawnlinboy/github-assets-preview
// @supportURL   https://github.com/shawnlinboy/github-assets-preview/issues
// @match        https://github.com/*
// @run-at       document-idle
// @grant        GM_xmlhttpRequest
// @grant        GM_addStyle
// @connect      github.com
// @connect      objects.githubusercontent.com
// @connect      release-assets.githubusercontent.com
// ==/UserScript==

(function() {
    'use strict';

    const PREVIEW_TYPES = ['.txt', '.md', '.json', '.log', '.csv', '.xml', '.yaml', '.yml', '.ini', '.conf'];
    const RELEASE_PATH_REGEX = /\/releases(?:\/|$)/;
    let observer = null;
    let lastUrl = '';

    // Add styles
    GM_addStyle(`
        .gh-preview-modal {
            --gh-preview-overlay: rgba(15, 23, 42, 0.55);
            --gh-preview-bg: #ffffff;
            --gh-preview-surface: #f6f8fa;
            --gh-preview-text: #24292f;
            --gh-preview-border: #d0d7de;
            --gh-preview-close: #57606a;
            --gh-preview-close-hover: #24292f;
            position: fixed;
            top: 0;
            left: 0;
            width: 100%;
            height: 100%;
            background: var(--gh-preview-overlay);
            z-index: 10000;
            display: flex;
            align-items: center;
            justify-content: center;
            color: var(--gh-preview-text);
        }
        @media (prefers-color-scheme: dark) {
            .gh-preview-modal {
                --gh-preview-overlay: rgba(1, 4, 9, 0.75);
                --gh-preview-bg: #0d1117;
                --gh-preview-surface: #161b22;
                --gh-preview-text: #e6edf3;
                --gh-preview-border: #30363d;
                --gh-preview-close: #8b949e;
                --gh-preview-close-hover: #f0f6fc;
            }
        }
        .gh-preview-content {
            background: var(--gh-preview-bg);
            color: var(--gh-preview-text);
            border-radius: 8px;
            width: 90%;
            max-width: 900px;
            max-height: 80vh;
            display: flex;
            flex-direction: column;
            box-shadow: 0 4px 6px rgba(0, 0, 0, 0.1);
            border: 1px solid var(--gh-preview-border);
        }
        .gh-preview-header {
            padding: 1em;
            border-bottom: 1px solid var(--gh-preview-border);
            display: flex;
            justify-content: space-between;
            align-items: center;
            background: var(--gh-preview-surface);
        }
        .gh-preview-body {
            margin: 0;
            padding: 1em;
            overflow: auto;
            flex: 1;
            font-size: 0.9em;
            white-space: pre-wrap;
            word-wrap: break-word;
            font-family: monospace;
            color: var(--gh-preview-text);
        }
        .gh-preview-close {
            border: none;
            background: none;
            font-size: 1.5em;
            cursor: pointer;
            color: var(--gh-preview-close);
        }
        .gh-preview-close:hover {
            color: var(--gh-preview-close-hover);
        }
    `);

    // Create modal window
    function showModal(title, content) {
        let existingModal = document.querySelector('.gh-preview-modal');
        if (existingModal) existingModal.remove();

        let modal = document.createElement('div');
        modal.className = 'gh-preview-modal';
        let onEscKeydown = null;
        const closeModal = () => {
            if (onEscKeydown) {
                document.removeEventListener('keydown', onEscKeydown);
            }
            modal.remove();
        };
        modal.onclick = (e) => {
            if (e.target === modal) closeModal();
        };

        let modalContent = document.createElement('div');
        modalContent.className = 'gh-preview-content';

        let header = document.createElement('div');
        header.className = 'gh-preview-header';
        header.innerHTML = `<strong>${title}</strong>`;
        
        let closeBtn = document.createElement('button');
        closeBtn.className = 'gh-preview-close';
        closeBtn.textContent = '✕';
        closeBtn.onclick = closeModal;
        header.appendChild(closeBtn);

        let contentArea = document.createElement('pre');
        contentArea.className = 'gh-preview-body';
        contentArea.textContent = content;

        modalContent.appendChild(header);
        modalContent.appendChild(contentArea);
        modal.appendChild(modalContent);
        document.body.appendChild(modal);

        onEscKeydown = (e) => {
            if (e.key === 'Escape') {
                closeModal();
            }
        };
        document.addEventListener('keydown', onEscKeydown);
    }

    // Add preview buttons
    function addPreviewButtons() {
        if (!RELEASE_PATH_REGEX.test(location.pathname)) return;

        // Find all download links
        document.querySelectorAll('a[href*="/releases/download/"]').forEach(link => {
            const href = link.href;
            const fileName = href.split('/').pop().split('?')[0];
            const fileExt = '.' + fileName.split('.').pop().toLowerCase();
            
            // Check if file type is supported
            if (!PREVIEW_TYPES.includes(fileExt)) return;
            
            // Avoid duplicate button additions
            if (link.dataset.previewAdded) return;
            link.dataset.previewAdded = 'true';

            let btn = document.createElement('button');
            btn.textContent = '👁️ Preview';
            btn.style.cssText = `
                margin-left: 8px;
                padding: 4px 8px;
                background-color: #238636;
                color: white;
                border: none;
                border-radius: 4px;
                cursor: pointer;
                font-size: 0.85em;
                font-weight: 500;
            `;
            btn.onmouseover = () => btn.style.backgroundColor = '#2ea043';
            btn.onmouseout = () => btn.style.backgroundColor = '#238636';
            
            btn.onclick = (e) => {
                e.preventDefault();
                e.stopPropagation();
                btn.textContent = '⏳ Loading...';
                btn.disabled = true;

                // Use responseType: 'text' to fetch text content
                GM_xmlhttpRequest({
                    method: "GET",
                    url: href,
                    responseType: 'text',
                    timeout: 10000,
                    onload: function(response) {
                        if (response.status === 200) {
                            // Truncate large content
                            let content = response.responseText;
                            if (content.length > 100000) {
                                content = content.substring(0, 100000) + '\n\n... [File is too large, truncated] ...';
                            }
                            showModal(fileName, content);
                        } else {
                            showModal(fileName, `[Failed - HTTP ${response.status}]\n\n${response.responseText}`);
                        }
                        btn.textContent = '👁️ Preview';
                        btn.disabled = false;
                    },
                    onerror: function() {
                        showModal(fileName, '[Failed to load]\n\nPlease check browser developer tools (F12) console for detailed error information');
                        btn.textContent = '👁️ Preview';
                        btn.disabled = false;
                    },
                    ontimeout: function() {
                        showModal(fileName, '[Timeout - File may be too large or network issue]');
                        btn.textContent = '👁️ Preview';
                        btn.disabled = false;
                    }
                });
            };

            link.parentNode.insertBefore(btn, link.nextSibling);
        });
    }

    function attachObserver() {
        if (!document.body) return;
        if (!RELEASE_PATH_REGEX.test(location.pathname)) return;

        if (observer) {
            observer.disconnect();
        }

        observer = new MutationObserver(addPreviewButtons);
        observer.observe(document.body, { childList: true, subtree: true });
    }

    function handleRouteChange() {
        if (location.href === lastUrl) {
            if (RELEASE_PATH_REGEX.test(location.pathname)) {
                addPreviewButtons();
            }
            return;
        }

        lastUrl = location.href;

        if (RELEASE_PATH_REGEX.test(location.pathname)) {
            attachObserver();
            addPreviewButtons();
            return;
        }

        if (observer) {
            observer.disconnect();
            observer = null;
        }
    }

    // Initial run and dynamic listening
    handleRouteChange();

    document.addEventListener('turbo:load', handleRouteChange);
    document.addEventListener('pjax:end', handleRouteChange);
    window.addEventListener('popstate', handleRouteChange);

})();