-
Notifications
You must be signed in to change notification settings - Fork 1
151 lines (125 loc) · 6.16 KB
/
mirror-changelog.yml
File metadata and controls
151 lines (125 loc) · 6.16 KB
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
# Copyright 2025 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
name: Mirror Toolbox Changelog
on:
pull_request_target:
types: [opened, edited]
jobs:
add-release-notes:
if: github.actor == 'renovate-bot' && startsWith(github.head_ref, 'renovate/googleapis-mcp-toolbox')
runs-on: ubuntu-latest
permissions:
pull-requests: write
steps:
- name: Add Toolbox Release Notes to PR Body
uses: actions/github-script@ed597411d8f924073f98dfc5c65a23a2325f34cd # v8
env:
REQUIRED_KEYWORDS: 'mssql,sql-server,sqlserver'
with:
script: |
const requiredKeywordsEnv = process.env.REQUIRED_KEYWORDS;
const requiredKeywords = requiredKeywordsEnv.split(',').map(kw => kw.trim()).filter(kw => kw.length > 0);
const prBody = context.payload.pull_request.body || '';
// Extract the relevant changelog section
const startMarker = '<summary>googleapis/mcp-toolbox';
const endMarker = '</details>';
const startIndex = prBody.indexOf(startMarker);
const endIndex = prBody.indexOf(endMarker, startIndex);
if (startIndex === -1 || endIndex === -1) {
console.log('Could not find the release notes section in the PR body. Exiting.');
return;
}
const releaseNotesSection = prBody.substring(startIndex, endIndex);
// Parse, Filter, and transform
const prefixesToFilter = ['source/', 'sources/', 'tool/', 'tools/'];
// Use a map for cleaner type switching
const typeMap = {
'##### ⚠ BREAKING CHANGES': 'feat!',
'##### Features': 'feat',
'##### Bug Fixes': 'fix',
'##### Chores': 'ignore',
'##### Miscellaneous Chores': 'ignore',
'##### Documentation': 'ignore',
};
let currentType = 'feat'; // Default
const newChangelog = [];
for (const line of releaseNotesSection.split('\n')) {
const trimmedLine = line.trim();
// Update current type if it's a header
if (typeMap[trimmedLine]) {
currentType = typeMap[trimmedLine];
continue;
}
// Skip ignored sections
if (currentType === 'ignore') {
continue;
}
// Match and extract changelog item
const itemMatch = trimmedLine.match(/^[*-]\s(.*)$/);
if (itemMatch) {
let originalContent = itemMatch[1];
// This is a two-step process to prevent `release-please` from
// creating mangled, doubly-nested links for PRs.
// STEP 1: CLEAN THE INPUT.
// The source changelog contains a zero-width space as an HTML entity (`​`).
// This breaks the regex in the next step, so we must remove it first.
// E.g., "[#​1770](...)" becomes "[#1770](...)"
originalContent = originalContent.replace(/​/g, '');
// STEP 2: PROTECT THE OUTPUT.
// `release-please` aggressively tries to auto-link any text that looks like `#1234`.
// To prevent this, we insert an invisible Unicode zero-width space (`\u200B`)
// between the '#' and the number in the link text. This breaks the parser's
// pattern matching without changing the visual appearance of the link.
// E.g., "[#1770](...)" becomes "[mcp-toolbox#1770](...)"
originalContent = originalContent.replace(/\[#(\d+)\](\([^)]+\))/g, '[mcp-toolbox#\u200B$1]$2');
const lineAsLowerCase = originalContent.toLowerCase();
const hasPrefix = prefixesToFilter.some(prefix => lineAsLowerCase.includes(prefix));
// Check if the line includes ANY of the required keywords
let hasAnyRequiredKeyword = false;
if (requiredKeywords.length > 0) {
hasAnyRequiredKeyword = requiredKeywords.some(keyword => lineAsLowerCase.includes(keyword));
}
// Include if it doesn't have a prefix OR it has any of the required keywords
if (!hasPrefix || hasAnyRequiredKeyword) {
newChangelog.push(`${currentType}: ${originalContent}`);
} else {
console.log(`Filtering out: ${originalContent}`);
}
}
}
if (newChangelog.length === 0) {
console.log('Found no changelog items to add after filtering. Exiting.');
return;
}
// Construct the override block
const overrideBlock = [
'\n\nBEGIN_COMMIT_OVERRIDE',
...newChangelog,
'END_COMMIT_OVERRIDE'
].join('\n');
// Update PR body
const baseBody = prBody.split('\n\nBEGIN_COMMIT_OVERRIDE')[0].trim();
const finalBody = baseBody + overrideBlock;
if (finalBody === prBody) {
console.log('The generated changelog is identical. No update needed.');
return;
}
// Update the PR
await github.rest.pulls.update({
owner: context.repo.owner,
repo: context.repo.repo,
pull_number: context.issue.number,
body: finalBody,
});
console.log('Successfully updated the PR body with filtered release notes.');