File size: 5,000 Bytes
1e92f2d |
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 |
import { execSync, spawnSync } from 'child_process';
import { confirm, select } from '@inquirer/prompts';
import chalk from 'chalk';
import dayjs from 'dayjs';
import relativeTime from 'dayjs/plugin/relativeTime';
import fetch from 'isomorphic-fetch';
import ora from 'ora';
import semver from 'semver';
import deprecatedVersions from '../BUG_VERSIONS.json';
import { version as packageVersion } from '../package.json';
dayjs.extend(relativeTime);
const CONCH_TAG = 'conch-v5';
function matchDeprecated(v: string) {
const match = Object.keys(deprecatedVersions).find((depreciated) =>
semver.satisfies(v, depreciated),
);
const reason = deprecatedVersions[match as keyof typeof deprecatedVersions] || [];
return {
match,
reason: Array.isArray(reason) ? reason : [reason],
};
}
const SAFE_DAYS_START = 1000 * 60 * 60 * 24 * 15; // 15 days
const SAFE_DAYS_DIFF = 1000 * 60 * 60 * 24 * 3; // 3 days not update seems to be stable
(async function process() {
console.log('π€ Post Publish Scripting...\n');
// git tag
const spinner = ora(chalk.cyan(`Tagging ${packageVersion}`)).start();
execSync(`git tag ${packageVersion}`);
execSync(`git push origin ${packageVersion}:${packageVersion}`);
spinner.succeed(
chalk.cyan(
`Tagged ${packageVersion} π¦: https://github.com/ant-design/ant-design/releases/tag/${packageVersion}`,
),
);
console.log();
const { time, 'dist-tags': distTags } = await fetch('http://registry.npmjs.org/antd').then(
(res: Response) => res.json(),
);
console.log('π Latest Conch Version:', chalk.green(distTags[CONCH_TAG] || 'null'), '\n');
// Sort and get the latest versions
const versionList = Object.keys(time)
.filter((version) => semver.valid(version) && !semver.prerelease(version))
.sort((v1, v2) => {
const time1 = dayjs(time[v1]).valueOf();
const time2 = dayjs(time[v2]).valueOf();
return time2 - time1;
});
// Slice for choosing the latest versions
const latestVersions = versionList
// Cut off
.slice(0, 30)
// Formatter
.map((version) => ({
publishTime: time[version],
timeDiff: dayjs().diff(dayjs(time[version])),
value: version,
depreciated: matchDeprecated(version).match,
}));
const filteredLatestVersions = latestVersions
// Filter deprecated versions
.filter(({ depreciated }) => !depreciated);
const startDefaultVersionIndex = filteredLatestVersions.findIndex(
({ timeDiff }) => timeDiff >= SAFE_DAYS_START,
);
const defaultVersionList = filteredLatestVersions
.slice(0, startDefaultVersionIndex + 1)
.reverse();
// Find safe version
let defaultVersionObj = null;
for (let i = 0; i < defaultVersionList.length - 1; i += 1) {
defaultVersionObj = defaultVersionList[i];
const nextVersionObj = defaultVersionList[i + 1];
if (defaultVersionObj.timeDiff - nextVersionObj.timeDiff > SAFE_DAYS_DIFF) {
break;
}
defaultVersionObj = null;
}
// Not find to use the latest version instead
defaultVersionObj = defaultVersionObj || defaultVersionList[defaultVersionList.length - 1];
let defaultVersion = defaultVersionObj ? defaultVersionObj.value : null;
// If default version is less than current, use current
if (semver.compare(defaultVersion!, distTags[CONCH_TAG]) < 0) {
defaultVersion = distTags[CONCH_TAG];
}
let conchVersion = await select({
default: defaultVersion,
message: 'Please select Conch Version:',
choices: latestVersions.map((info) => {
const { value, publishTime, depreciated } = info;
const desc = dayjs(publishTime).fromNow();
return {
value,
name: [
// Warning
depreciated ? 'π¨' : 'β
',
// Version
value,
// Date Diff
`(${desc})`,
// Default Mark
value === defaultVersion ? '(default)' : '',
// Current Mark
value === distTags[CONCH_TAG] ? chalk.gray('- current') : '',
]
.filter((str) => Boolean(String(str).trim()))
.join(' '),
};
}),
});
// Make sure it's not deprecated version
const deprecatedObj = matchDeprecated(conchVersion);
if (deprecatedObj.match) {
console.log('\n');
console.log(chalk.red('Deprecated For:'));
deprecatedObj.reason.forEach((reason) => {
console.log(chalk.yellow(` * ${reason}`));
});
console.log('\n');
const conchConfirm = await confirm({
default: false,
message: 'SURE to continue ?!!',
});
if (!conchConfirm) {
conchVersion = '';
}
}
// Check if need to update
if (!conchVersion || distTags[CONCH_TAG] === conchVersion) {
console.log(`π Conch Version not change. Safe to ${chalk.green('ignore')}.`);
} else {
console.log('πΎ Tagging Conch Version:', chalk.green(conchVersion));
spawnSync('npm', ['dist-tag', 'add', `antd@${conchVersion}`, CONCH_TAG], { stdio: 'inherit' });
}
})();
|