// ==UserScript==
// @name GitHub DeepWiki Button
// @namespace http://tampermonkey.net/
// @version 0.1
// @description 在GitHub仓库页面添加DeepWiki按钮,点击跳转到deepwiki.com/{user}/{repo}
// @author You
// @match https://github.com/*/*
// @icon https://www.google.com/s2/favicons?sz=64&domain=github.com
// @grant none
// @license MIT
// @run-at document-end
// @downloadURL https://update.greasyfork.cloud/scripts/534220/GitHub%20DeepWiki%20Button.user.js
// @updateURL https://update.greasyfork.cloud/scripts/534220/GitHub%20DeepWiki%20Button.meta.js
// ==/UserScript==
/*
* 使用说明:
* 1. 安装油猴扩展(Tampermonkey): https://www.tampermonkey.net/
* 2. 点击油猴图标 -> 添加新脚本 -> 粘贴此脚本内容
* 3. 保存(Ctrl+S 或 Command+S)
* 4. 访问任意GitHub仓库页面,将会在菜单栏上看到"deepwiki"按钮
* 5. 点击按钮跳转到相应的DeepWiki页面
*/
(function () {
'use strict';
// 日志函数
const log = (...args) => console.log('[DeepWiki Button]', ...args);
// 检查是否在仓库页面
function isRepoPage() {
try {
return document.querySelector('main#js-repo-pjax-container') !== null ||
document.querySelector('div[data-pjax="#repo-content-pjax-container"]') !== null ||
(window.location.pathname.split('/').filter(Boolean).length >= 2 &&
!window.location.pathname.includes('/settings') &&
!window.location.pathname.includes('/issues'));
} catch (e) {
log('检查仓库页面时出错:', e);
return false;
}
}
// 获取用户名和仓库名
function getUserAndRepo() {
try {
const pathParts = window.location.pathname.split('/').filter(part => part.length > 0);
if (pathParts.length >= 2) {
return {
user: pathParts[0],
repo: pathParts[1]
};
}
} catch (e) {
log('获取用户和仓库信息时出错:', e);
}
return null;
}
// 创建SVG图标元素
function createSVGIconElement() {
const svgNS = 'http://www.w3.org/2000/svg';
const svg = document.createElementNS(svgNS, 'svg');
svg.setAttribute('class', 'octicon');
svg.setAttribute('width', '16');
svg.setAttribute('height', '16');
svg.setAttribute('viewBox', '110 110 460 500');
svg.setAttribute('style', 'margin-right:4px;vertical-align:text-bottom;');
svg.innerHTML = ``;
return svg;
}
// 创建DeepWiki按钮
function createDeepWikiButton(user, repo) {
try {
const deepwikiUrl = `https://deepwiki.com/${user}/${repo}`;
// 查找页面上已存在的按钮来模仿其样式
const existingButtons = document.querySelectorAll('.btn-sm, [data-hydro-click]');
let templateButton = null;
for (const btn of existingButtons) {
if (btn.textContent.includes('Fork') || btn.textContent.includes('Star') ||
btn.textContent.includes('Watch') || btn.textContent.includes('Code')) {
templateButton = btn;
break;
}
}
// 创建按钮元素
const button = document.createElement('a');
button.href = deepwikiUrl;
button.id = 'deepwiki-button';
button.target = '_blank';
button.rel = 'noopener noreferrer';
button.title = `查看 ${user}/${repo} 的DeepWiki页面`;
button.setAttribute('data-user', user);
button.setAttribute('data-repo', repo);
button.setAttribute('aria-label', `打开 DeepWiki 页面: ${user}/${repo}`);
// 如果找到了模板按钮,复制其类名和样式
if (templateButton) {
const classNames = Array.from(templateButton.classList)
.filter(cls => !cls.includes('selected') && !cls.includes('disabled') &&
!cls.includes('tooltipped') && !cls.includes('BtnGroup'));
button.className = classNames.join(' ');
} else {
button.className = 'btn btn-sm';
}
// 添加SVG图标
const svgIcon = createSVGIconElement();
button.appendChild(svgIcon);
// 添加文本
const text = document.createTextNode('deepwiki');
button.appendChild(text);
// 如果没有模板按钮,应用基本样式确保可见
if (!templateButton) {
button.style.backgroundColor = '#f6f8fa';
button.style.border = '1px solid rgba(27,31,36,0.15)';
button.style.borderRadius = '6px';
button.style.color = '#24292f';
button.style.padding = '3px 12px';
button.style.fontSize = '12px';
button.style.fontWeight = '500';
button.style.lineHeight = '20px';
button.style.textDecoration = 'none';
}
// 添加点击事件跟踪
button.addEventListener('click', function (e) {
log(`点击DeepWiki按钮: ${user}/${repo}`);
});
return button;
} catch (e) {
log('创建按钮时出错:', e);
return null;
}
}
// 添加按钮到页面
function addDeepWikiButton() {
try {
if (!isRepoPage()) return;
const userAndRepo = getUserAndRepo();
if (!userAndRepo) return;
// 防止重复添加按钮
if (document.querySelector('#deepwiki-button')) return;
// 尝试在最右侧添加按钮
const targetSelectors = [
'.file-navigation', // 文件导航区域
'.d-flex.mb-3.px-3.px-md-4.px-lg-5', // 新版GitHub界面头部
'#repository-container-header .d-flex' // 仓库容器头部
];
for (const selector of targetSelectors) {
const targetElements = document.querySelectorAll(selector);
if (targetElements && targetElements.length > 0) {
const targetElement = targetElements[0];
const deepWikiButton = createDeepWikiButton(userAndRepo.user, userAndRepo.repo);
if (deepWikiButton) {
// 创建一个容器放在最右侧
const container = document.createElement('div');
container.className = 'deepwiki-button-container';
container.style.marginLeft = 'auto'; // 将按钮推到最右侧
container.appendChild(deepWikiButton);
// 特殊处理文件导航区域,需要放在特定位置
if (selector === '.file-navigation') {
const actionsContainer = targetElement.querySelector('.d-flex');
if (actionsContainer) {
actionsContainer.appendChild(container);
} else {
targetElement.appendChild(container);
}
} else {
targetElement.appendChild(container);
}
log(`成功添加DeepWiki按钮: ${userAndRepo.user}/${userAndRepo.repo}`);
return;
}
}
}
// 如果以上方法都失败,尝试插入到"Star"或"Fork"按钮旁边
const actionButtons = document.querySelectorAll('.pagehead-actions li, .flex-1 nav ul');
if (actionButtons && actionButtons.length > 0) {
const lastAction = actionButtons[actionButtons.length - 1];
const deepWikiButton = createDeepWikiButton(userAndRepo.user, userAndRepo.repo);
if (deepWikiButton) {
const wrapper = document.createElement('li');
if (lastAction.tagName === 'LI') {
wrapper.className = lastAction.className;
} else {
wrapper.style.marginLeft = '8px';
}
wrapper.appendChild(deepWikiButton);
lastAction.parentNode.appendChild(wrapper);
log(`成功添加DeepWiki按钮到操作区域: ${userAndRepo.user}/${userAndRepo.repo}`);
return;
}
}
// 最后尝试添加到仓库名称右侧
const repoNavLinks = document.querySelector('nav[aria-label="Repository"], .pagehead-actions');
if (repoNavLinks) {
const deepWikiButton = createDeepWikiButton(userAndRepo.user, userAndRepo.repo);
if (deepWikiButton) {
const wrapper = document.createElement('div');
wrapper.style.display = 'inline-block';
wrapper.style.marginLeft = '8px';
wrapper.appendChild(deepWikiButton);
repoNavLinks.appendChild(wrapper);
log(`成功添加DeepWiki按钮到仓库导航区: ${userAndRepo.user}/${userAndRepo.repo}`);
return;
}
}
log('未找到合适的位置添加按钮');
} catch (e) {
log('添加按钮时出错:', e);
}
}
// 处理页面动态加载
function setupMutationObserver() {
try {
const observer = new MutationObserver(function (mutations) {
let shouldCheck = false;
mutations.forEach(function (mutation) {
if (mutation.type === 'childList' && mutation.addedNodes.length > 0) {
shouldCheck = true;
}
});
if (shouldCheck) {
setTimeout(addDeepWikiButton, 300); // 延迟执行,确保DOM已完全更新
}
});
observer.observe(document.body, { childList: true, subtree: true });
log('成功设置MutationObserver');
} catch (e) {
log('设置MutationObserver时出错:', e);
}
}
// 初始化
function init() {
try {
log('初始化脚本...');
// 立即尝试添加按钮
addDeepWikiButton();
// 延迟再次尝试(GitHub有时需要额外时间加载)
setTimeout(addDeepWikiButton, 500);
setTimeout(addDeepWikiButton, 1000);
setTimeout(addDeepWikiButton, 2000);
setupMutationObserver();
// 处理单页应用路由变化
window.addEventListener('popstate', function () {
setTimeout(addDeepWikiButton, 500);
});
// 监听URL变化
let lastUrl = location.href;
new MutationObserver(() => {
const url = location.href;
if (url !== lastUrl) {
lastUrl = url;
setTimeout(addDeepWikiButton, 500);
}
}).observe(document, { subtree: true, childList: true });
// 定期检查按钮是否存在(备用方案)
setInterval(addDeepWikiButton, 3000);
} catch (e) {
log('初始化时出错:', e);
}
}
// 当页面加载完成后执行
if (document.readyState === 'loading') {
document.addEventListener('DOMContentLoaded', init);
} else {
init();
}
})();