screw-up 1.4.0 → 1.6.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,11 +1,11 @@
1
1
  /*!
2
2
  * name: screw-up
3
- * version: 1.4.0
3
+ * version: 1.6.0
4
4
  * description: Simply package metadata inserter on Vite plugin
5
5
  * author: Kouji Matsui (@kekyo@mi.kekyo.net)
6
6
  * license: MIT
7
7
  * repository.url: https://github.com/kekyo/screw-up.git
8
- * git.commit.hash: 48850bae9ed83a921ef5239628983b3e797a0ce7
8
+ * git.commit.hash: 10c04af9c9b127002592d48cbb6ec18cfe5048bb
9
9
  */
10
10
  "use strict";
11
11
  const fs = require("fs");
@@ -13,6 +13,8 @@ const fs$1 = require("fs/promises");
13
13
  const path = require("path");
14
14
  const glob = require("glob");
15
15
  const git = require("isomorphic-git");
16
+ const crypto = require("crypto");
17
+ const os = require("os");
16
18
  function _interopNamespaceDefault(e) {
17
19
  const n = Object.create(null, { [Symbol.toStringTag]: { value: "Module" } });
18
20
  if (e) {
@@ -1669,6 +1671,397 @@ function requireDayjs_min() {
1669
1671
  }
1670
1672
  var dayjs_minExports = requireDayjs_min();
1671
1673
  const dayjs = /* @__PURE__ */ getDefaultExportFromCjs(dayjs_minExports);
1674
+ const CLEANUP_DELETE_AGE_MS = 10 * 24 * 60 * 60 * 1e3;
1675
+ const getCachePath = (repoPath) => {
1676
+ const absoluteRepoPath = path.resolve(repoPath);
1677
+ const pathHash = crypto.createHash("sha1").update(absoluteRepoPath).digest("hex");
1678
+ return path.join(
1679
+ os.homedir(),
1680
+ ".cache",
1681
+ "screw-up",
1682
+ "tag-cache",
1683
+ `${pathHash}.json`
1684
+ );
1685
+ };
1686
+ const buildCacheValidation = async (repoPath) => {
1687
+ const tags = await git__namespace.listTags({ fs: fs$1, dir: repoPath });
1688
+ const tagListHash = crypto.createHash("sha256").update(tags.sort().join("\n")).digest("hex");
1689
+ const validation = {
1690
+ tagListHash,
1691
+ tagCount: tags.length
1692
+ };
1693
+ try {
1694
+ const packedRefsPath = path.join(repoPath, ".git", "packed-refs");
1695
+ const stats = await fs$1.stat(packedRefsPath);
1696
+ validation.packedRefsMtime = stats.mtimeMs;
1697
+ } catch (e) {
1698
+ }
1699
+ try {
1700
+ const refsTagsPath = path.join(repoPath, ".git", "refs", "tags");
1701
+ const stats = await fs$1.stat(refsTagsPath);
1702
+ validation.refsTagsMtime = stats.mtimeMs;
1703
+ } catch (e) {
1704
+ }
1705
+ return validation;
1706
+ };
1707
+ const isCacheValid = async (cachedData, repoPath) => {
1708
+ try {
1709
+ const currentTags = await git__namespace.listTags({ fs: fs$1, dir: repoPath });
1710
+ if (currentTags.length !== cachedData.validation.tagCount) {
1711
+ return false;
1712
+ }
1713
+ const tagListHash = crypto.createHash("sha256").update(currentTags.sort().join("\n")).digest("hex");
1714
+ if (cachedData.validation.tagListHash !== tagListHash) {
1715
+ return false;
1716
+ }
1717
+ if (cachedData.validation.packedRefsMtime !== void 0) {
1718
+ try {
1719
+ const packedRefsPath = path.join(repoPath, ".git", "packed-refs");
1720
+ const stats = await fs$1.stat(packedRefsPath);
1721
+ if (stats.mtimeMs > cachedData.timestamp) {
1722
+ return false;
1723
+ }
1724
+ } catch (e) {
1725
+ }
1726
+ }
1727
+ if (cachedData.validation.refsTagsMtime !== void 0) {
1728
+ try {
1729
+ const refsTagsPath = path.join(repoPath, ".git", "refs", "tags");
1730
+ const stats = await fs$1.stat(refsTagsPath);
1731
+ if (stats.mtimeMs > cachedData.timestamp) {
1732
+ return false;
1733
+ }
1734
+ } catch (e) {
1735
+ }
1736
+ }
1737
+ return true;
1738
+ } catch (e) {
1739
+ return false;
1740
+ }
1741
+ };
1742
+ const loadCachedTags = async (repoPath) => {
1743
+ try {
1744
+ const cachePath = getCachePath(repoPath);
1745
+ const data = await fs$1.readFile(cachePath, "utf-8");
1746
+ const cachedData = JSON.parse(data);
1747
+ if (cachedData.version !== "1.0.0") {
1748
+ return null;
1749
+ }
1750
+ return cachedData;
1751
+ } catch (e) {
1752
+ return null;
1753
+ }
1754
+ };
1755
+ const saveCachedTags = async (repoPath, tagCache, validation) => {
1756
+ const cachePath = getCachePath(repoPath);
1757
+ const cacheDir = path.dirname(cachePath);
1758
+ await fs$1.mkdir(cacheDir, { recursive: true });
1759
+ const randomSuffix = crypto.randomBytes(8).toString("hex");
1760
+ const tempPath = cachePath.replace(".json", `_${randomSuffix}.json`);
1761
+ const data = {
1762
+ version: "1.0.0",
1763
+ timestamp: Date.now(),
1764
+ repository: {
1765
+ path: repoPath
1766
+ },
1767
+ validation,
1768
+ tagCache: {
1769
+ commitToTags: Object.fromEntries(tagCache.commitToTags)
1770
+ }
1771
+ };
1772
+ try {
1773
+ await fs$1.writeFile(tempPath, JSON.stringify(data, null, 2), "utf-8");
1774
+ await fs$1.rename(tempPath, cachePath);
1775
+ } catch (error) {
1776
+ try {
1777
+ await fs$1.unlink(tempPath);
1778
+ } catch (e) {
1779
+ }
1780
+ throw error;
1781
+ }
1782
+ };
1783
+ const reconstructTagCache = (cachedData) => {
1784
+ return {
1785
+ commitToTags: new Map(Object.entries(cachedData.tagCache.commitToTags)),
1786
+ initialized: true
1787
+ };
1788
+ };
1789
+ const cleanupOldCacheFiles = async (currentCachePath, currentTimestamp) => {
1790
+ let deletedCount = 0;
1791
+ try {
1792
+ const cacheDir = path.dirname(currentCachePath);
1793
+ const currentFileName = path.basename(currentCachePath);
1794
+ const files = await fs$1.readdir(cacheDir);
1795
+ await Promise.all(
1796
+ files.map(async (fileName) => {
1797
+ if (!fileName.endsWith(".json") || fileName === currentFileName) {
1798
+ return;
1799
+ }
1800
+ const filePath = path.join(cacheDir, fileName);
1801
+ try {
1802
+ const stats = await fs$1.stat(filePath);
1803
+ const fileAge = currentTimestamp - stats.mtimeMs;
1804
+ if (fileAge > CLEANUP_DELETE_AGE_MS) {
1805
+ await fs$1.unlink(filePath);
1806
+ deletedCount++;
1807
+ }
1808
+ } catch (e) {
1809
+ }
1810
+ })
1811
+ );
1812
+ } catch (e) {
1813
+ }
1814
+ return deletedCount;
1815
+ };
1816
+ const calculateTagDiff = (cachedTags, currentTagList) => {
1817
+ const cachedTagNames = /* @__PURE__ */ new Set();
1818
+ for (const tags of cachedTags.values()) {
1819
+ for (const tag of tags) {
1820
+ cachedTagNames.add(tag.name);
1821
+ }
1822
+ }
1823
+ const currentSet = new Set(currentTagList);
1824
+ const added = [];
1825
+ const unchanged = [];
1826
+ for (const tagName of currentTagList) {
1827
+ if (cachedTagNames.has(tagName)) {
1828
+ unchanged.push(tagName);
1829
+ } else {
1830
+ added.push(tagName);
1831
+ }
1832
+ }
1833
+ const deleted = [];
1834
+ for (const tagName of cachedTagNames) {
1835
+ if (!currentSet.has(tagName)) {
1836
+ deleted.push(tagName);
1837
+ }
1838
+ }
1839
+ return { added, deleted, unchanged };
1840
+ };
1841
+ const removeTagsFromCache = (cache, tagNames) => {
1842
+ const tagNamesToRemove = new Set(tagNames);
1843
+ const newCache = /* @__PURE__ */ new Map();
1844
+ for (const [commitHash, tags] of cache.entries()) {
1845
+ const filteredTags = tags.filter((tag) => !tagNamesToRemove.has(tag.name));
1846
+ if (filteredTags.length > 0) {
1847
+ newCache.set(commitHash, filteredTags);
1848
+ }
1849
+ }
1850
+ return newCache;
1851
+ };
1852
+ const addTagsToCache = (cache, newTags) => {
1853
+ const newCache = new Map(cache);
1854
+ for (const tag of newTags) {
1855
+ const existing = newCache.get(tag.hash) || [];
1856
+ const updated = [...existing, tag];
1857
+ updated.sort((a, b) => a.name.localeCompare(b.name));
1858
+ newCache.set(tag.hash, updated);
1859
+ }
1860
+ return newCache;
1861
+ };
1862
+ const updateTagsInCache = (cache, tagNames, updatedTags) => {
1863
+ let newCache = removeTagsFromCache(cache, tagNames);
1864
+ newCache = addTagsToCache(newCache, updatedTags);
1865
+ return newCache;
1866
+ };
1867
+ const resolveTagToCommit = async (repoPath, tagOid) => {
1868
+ var _a;
1869
+ try {
1870
+ const tagObject = await git__namespace.readTag({
1871
+ fs: fs$1,
1872
+ dir: repoPath,
1873
+ oid: tagOid
1874
+ });
1875
+ if ((_a = tagObject == null ? void 0 : tagObject.tag) == null ? void 0 : _a.object) {
1876
+ return tagObject.tag.object;
1877
+ }
1878
+ } catch (e) {
1879
+ }
1880
+ return tagOid;
1881
+ };
1882
+ const getTagsInfo = async (repoPath, tagNames, parseVersion2) => {
1883
+ const result = [];
1884
+ await Promise.all(
1885
+ tagNames.map(async (tagName) => {
1886
+ try {
1887
+ const oid = await git__namespace.resolveRef({
1888
+ fs: fs$1,
1889
+ dir: repoPath,
1890
+ ref: `refs/tags/${tagName}`
1891
+ });
1892
+ const commitHash = await resolveTagToCommit(repoPath, oid);
1893
+ const version2 = parseVersion2(tagName);
1894
+ result.push({
1895
+ name: tagName,
1896
+ hash: commitHash,
1897
+ version: version2
1898
+ });
1899
+ } catch (error) {
1900
+ console.warn(`Failed to get info for tag ${tagName}:`, error);
1901
+ }
1902
+ })
1903
+ );
1904
+ return result;
1905
+ };
1906
+ const buildCompleteTagCache = async (repoPath, parseVersion2) => {
1907
+ const cache = /* @__PURE__ */ new Map();
1908
+ const tags = await git__namespace.listTags({ fs: fs$1, dir: repoPath });
1909
+ await Promise.all(
1910
+ tags.map(async (tagName) => {
1911
+ const oid = await git__namespace.resolveRef({
1912
+ fs: fs$1,
1913
+ dir: repoPath,
1914
+ ref: `refs/tags/${tagName}`
1915
+ });
1916
+ const commitHash = await resolveTagToCommit(repoPath, oid);
1917
+ const version2 = parseVersion2(tagName);
1918
+ const tagInfo = {
1919
+ name: tagName,
1920
+ hash: commitHash,
1921
+ version: version2
1922
+ };
1923
+ if (!cache.has(commitHash)) {
1924
+ cache.set(commitHash, []);
1925
+ }
1926
+ cache.get(commitHash).push(tagInfo);
1927
+ })
1928
+ );
1929
+ for (const tags2 of cache.values()) {
1930
+ tags2.sort((a, b) => a.name.localeCompare(b.name));
1931
+ }
1932
+ return cache;
1933
+ };
1934
+ const hasTagMoved = async (repoPath, tagName, cachedCommit) => {
1935
+ try {
1936
+ const oid = await git__namespace.resolveRef({
1937
+ fs: fs$1,
1938
+ dir: repoPath,
1939
+ ref: `refs/tags/${tagName}`
1940
+ });
1941
+ const currentCommit = await resolveTagToCommit(repoPath, oid);
1942
+ return currentCommit !== cachedCommit;
1943
+ } catch (e) {
1944
+ return true;
1945
+ }
1946
+ };
1947
+ const findModifiedTags = async (repoPath, tagNames, cache) => {
1948
+ const modified = [];
1949
+ await Promise.all(
1950
+ tagNames.map(async (tagName) => {
1951
+ let cachedCommit;
1952
+ for (const [commit, tags] of cache.entries()) {
1953
+ const tag = tags.find((t) => t.name === tagName);
1954
+ if (tag) {
1955
+ cachedCommit = commit;
1956
+ break;
1957
+ }
1958
+ }
1959
+ if (cachedCommit) {
1960
+ const moved = await hasTagMoved(repoPath, tagName, cachedCommit);
1961
+ if (moved) {
1962
+ modified.push(tagName);
1963
+ }
1964
+ }
1965
+ })
1966
+ );
1967
+ return modified;
1968
+ };
1969
+ const loadOrBuildTagCache = async (repoPath, parseVersion2, logger) => {
1970
+ const startTime = Date.now();
1971
+ const cachedData = await loadCachedTags(repoPath);
1972
+ const currentTags = await git__namespace.listTags({ fs: fs$1, dir: repoPath });
1973
+ if (cachedData && await isCacheValid(cachedData, repoPath)) {
1974
+ logger.debug(`Cache valid, performing differential update...`);
1975
+ const cache = reconstructTagCache(cachedData);
1976
+ const stats = await performDifferentialUpdate(
1977
+ repoPath,
1978
+ cache.commitToTags,
1979
+ currentTags,
1980
+ parseVersion2,
1981
+ logger
1982
+ );
1983
+ const validation = await buildCacheValidation(repoPath);
1984
+ await saveCachedTags(repoPath, cache, validation);
1985
+ if (cachedData && Date.now() - cachedData.timestamp > 24 * 60 * 60 * 1e3) {
1986
+ try {
1987
+ const cachePath = getCachePath(repoPath);
1988
+ const deletedCount = await cleanupOldCacheFiles(cachePath, Date.now());
1989
+ if (deletedCount > 0) {
1990
+ logger.debug(`Cleaned up ${deletedCount} old cache files`);
1991
+ }
1992
+ } catch (e) {
1993
+ }
1994
+ }
1995
+ return {
1996
+ cache,
1997
+ stats: {
1998
+ ...stats,
1999
+ updateTime: Date.now() - startTime,
2000
+ fullRebuild: false
2001
+ }
2002
+ };
2003
+ } else {
2004
+ logger.debug(`Cache invalid or missing, building from scratch...`);
2005
+ const commitToTags = await buildCompleteTagCache(repoPath, parseVersion2);
2006
+ const cache = {
2007
+ commitToTags,
2008
+ initialized: true
2009
+ };
2010
+ const validation = await buildCacheValidation(repoPath);
2011
+ await saveCachedTags(repoPath, cache, validation);
2012
+ return {
2013
+ cache,
2014
+ stats: {
2015
+ added: currentTags.length,
2016
+ deleted: 0,
2017
+ modified: 0,
2018
+ unchanged: 0,
2019
+ totalTags: currentTags.length,
2020
+ updateTime: Date.now() - startTime,
2021
+ fullRebuild: true
2022
+ }
2023
+ };
2024
+ }
2025
+ };
2026
+ async function performDifferentialUpdate(repoPath, cache, currentTags, parseVersion2, logger) {
2027
+ const diff = calculateTagDiff(cache, currentTags);
2028
+ logger.debug(
2029
+ `Tag diff: +${diff.added.length} -${diff.deleted.length} =${diff.unchanged.length}`
2030
+ );
2031
+ const modified = await findModifiedTags(repoPath, diff.unchanged, cache);
2032
+ logger.debug(`Found ${modified.length} modified tags`);
2033
+ if (diff.deleted.length > 0) {
2034
+ const newCache = removeTagsFromCache(cache, diff.deleted);
2035
+ cache.clear();
2036
+ for (const [k, v] of newCache) {
2037
+ cache.set(k, v);
2038
+ }
2039
+ }
2040
+ if (diff.added.length > 0) {
2041
+ const newTags = await getTagsInfo(repoPath, diff.added, parseVersion2);
2042
+ const newCache = addTagsToCache(cache, newTags);
2043
+ cache.clear();
2044
+ for (const [k, v] of newCache) {
2045
+ cache.set(k, v);
2046
+ }
2047
+ }
2048
+ if (modified.length > 0) {
2049
+ const updatedTags = await getTagsInfo(repoPath, modified, parseVersion2);
2050
+ const newCache = updateTagsInCache(cache, modified, updatedTags);
2051
+ cache.clear();
2052
+ for (const [k, v] of newCache) {
2053
+ cache.set(k, v);
2054
+ }
2055
+ }
2056
+ const unchangedCount = diff.unchanged.length - modified.length;
2057
+ return {
2058
+ added: diff.added.length,
2059
+ deleted: diff.deleted.length,
2060
+ modified: modified.length,
2061
+ unchanged: unchangedCount,
2062
+ totalTags: currentTags.length
2063
+ };
2064
+ }
1672
2065
  const parseVersionComponent = (value) => {
1673
2066
  const num = parseInt(value, 10);
1674
2067
  return num < 0 || num > 65535 ? void 0 : num;
@@ -1794,52 +2187,11 @@ const getCurrentCommit = async (repositoryPath) => {
1794
2187
  return void 0;
1795
2188
  }
1796
2189
  };
1797
- const getRelatedTags = async (repositoryPath, commitHash) => {
1798
- try {
1799
- const tags = await git__namespace.listTags({ fs: fs__namespace, dir: repositoryPath });
1800
- const tagInfos = [];
1801
- for (const tagName of tags) {
1802
- try {
1803
- const tagOid = await git__namespace.resolveRef({
1804
- fs: fs__namespace,
1805
- dir: repositoryPath,
1806
- ref: `refs/tags/${tagName}`
1807
- });
1808
- let targetCommitOid = tagOid;
1809
- try {
1810
- const tagObject = await git__namespace.readTag({
1811
- fs: fs__namespace,
1812
- dir: repositoryPath,
1813
- oid: tagOid
1814
- });
1815
- if (tagObject && tagObject.tag.object) {
1816
- targetCommitOid = tagObject.tag.object;
1817
- }
1818
- } catch (e) {
1819
- }
1820
- if (targetCommitOid === commitHash) {
1821
- const version2 = parseVersion(tagName);
1822
- if (version2 && isValidVersion(version2)) {
1823
- tagInfos.push({
1824
- name: tagName,
1825
- hash: commitHash,
1826
- version: version2
1827
- });
1828
- } else {
1829
- tagInfos.push({
1830
- name: tagName,
1831
- hash: commitHash,
1832
- version: void 0
1833
- });
1834
- }
1835
- }
1836
- } catch (e) {
1837
- }
1838
- }
1839
- return tagInfos.sort((a, b) => a.name.localeCompare(b.name));
1840
- } catch (e) {
2190
+ const getRelatedTagsFromCache = (cache, commitHash) => {
2191
+ if (!cache.initialized) {
1841
2192
  return [];
1842
2193
  }
2194
+ return cache.commitToTags.get(commitHash) || [];
1843
2195
  };
1844
2196
  const getRelatedTagsForVersioning = async (repositoryPath, commitHash) => {
1845
2197
  try {
@@ -1852,19 +2204,7 @@ const getRelatedTagsForVersioning = async (repositoryPath, commitHash) => {
1852
2204
  dir: repositoryPath,
1853
2205
  ref: `refs/tags/${tagName}`
1854
2206
  });
1855
- let targetCommitOid = tagOid;
1856
- try {
1857
- const tagObject = await git__namespace.readTag({
1858
- fs: fs__namespace,
1859
- dir: repositoryPath,
1860
- oid: tagOid
1861
- });
1862
- if (tagObject && tagObject.tag.object) {
1863
- targetCommitOid = tagObject.tag.object;
1864
- }
1865
- } catch (e) {
1866
- }
1867
- if (targetCommitOid === commitHash) {
2207
+ if (tagOid === commitHash) {
1868
2208
  const version2 = parseVersion(tagName);
1869
2209
  if (version2 && isValidVersion(version2)) {
1870
2210
  tagInfos.push({
@@ -1873,6 +2213,25 @@ const getRelatedTagsForVersioning = async (repositoryPath, commitHash) => {
1873
2213
  version: version2
1874
2214
  });
1875
2215
  }
2216
+ } else {
2217
+ try {
2218
+ const tagObject = await git__namespace.readTag({
2219
+ fs: fs__namespace,
2220
+ dir: repositoryPath,
2221
+ oid: tagOid
2222
+ });
2223
+ if (tagObject && tagObject.tag.object === commitHash) {
2224
+ const version2 = parseVersion(tagName);
2225
+ if (version2 && isValidVersion(version2)) {
2226
+ tagInfos.push({
2227
+ name: tagName,
2228
+ hash: commitHash,
2229
+ version: version2
2230
+ });
2231
+ }
2232
+ }
2233
+ } catch (e) {
2234
+ }
1876
2235
  }
1877
2236
  } catch (e) {
1878
2237
  }
@@ -1922,7 +2281,7 @@ const getModifiedFiles = async (repositoryPath) => {
1922
2281
  const formatModifiedFile = (modifiedFile) => {
1923
2282
  return `'${modifiedFile[0]}':${modifiedFile[1]}:${modifiedFile[2]}:${modifiedFile[3]}`;
1924
2283
  };
1925
- const lookupVersionLabelRecursive = async (cwd, commit, reachedCommits) => {
2284
+ const lookupVersionLabelRecursive = async (cwd, commit, reachedCommits, tagCache) => {
1926
2285
  const scheduledStack = [];
1927
2286
  let version2 = { major: 0, minor: 0, build: 1, original: "0.0.1" };
1928
2287
  let currentCommit = commit;
@@ -1931,10 +2290,7 @@ const lookupVersionLabelRecursive = async (cwd, commit, reachedCommits) => {
1931
2290
  version2 = reachedCommits.get(currentCommit.hash);
1932
2291
  break;
1933
2292
  }
1934
- const relatedTags = await getRelatedTagsForVersioning(
1935
- cwd,
1936
- currentCommit.hash
1937
- );
2293
+ const relatedTags = tagCache ? getRelatedTagsFromCache(tagCache, currentCommit.hash) : await getRelatedTagsForVersioning(cwd, currentCommit.hash);
1938
2294
  const versionCandidates = relatedTags.filter((tag) => tag.version && isValidVersion(tag.version)).filter((tag) => tag.version.minor !== void 0).sort((a, b) => compareVersions(a.version, b.version));
1939
2295
  if (versionCandidates.length >= 1) {
1940
2296
  version2 = versionCandidates[0].version;
@@ -1969,7 +2325,8 @@ const lookupVersionLabelRecursive = async (cwd, commit, reachedCommits) => {
1969
2325
  const alternateParentVersion = await lookupVersionLabelRecursive(
1970
2326
  cwd,
1971
2327
  parents[index],
1972
- reachedCommits
2328
+ reachedCommits,
2329
+ tagCache
1973
2330
  );
1974
2331
  if (alternateParentVersion && compareVersions(alternateParentVersion, version2) < 0) {
1975
2332
  version2 = alternateParentVersion;
@@ -1994,11 +2351,29 @@ const getGitMetadata = async (repositoryPath, checkWorkingDirectoryStatus, logge
1994
2351
  if (!currentCommit) {
1995
2352
  return metadata;
1996
2353
  }
2354
+ const { cache: tagCache, stats } = await loadOrBuildTagCache(
2355
+ gitRootPath,
2356
+ (tagName) => {
2357
+ const version22 = parseVersion(tagName);
2358
+ return version22 && isValidVersion(version22) ? version22 : void 0;
2359
+ },
2360
+ logger
2361
+ );
2362
+ if (stats.fullRebuild) {
2363
+ logger.debug(
2364
+ `Built new tag cache: ${stats.totalTags} tags in ${stats.updateTime}ms`
2365
+ );
2366
+ } else {
2367
+ logger.debug(
2368
+ `Updated cache differentially: +${stats.added} -${stats.deleted} ~${stats.modified} =${stats.unchanged} (${stats.updateTime}ms)`
2369
+ );
2370
+ }
1997
2371
  const reachedCommits = /* @__PURE__ */ new Map();
1998
2372
  let version2 = await lookupVersionLabelRecursive(
1999
2373
  gitRootPath,
2000
2374
  currentCommit,
2001
- reachedCommits
2375
+ reachedCommits,
2376
+ tagCache
2002
2377
  );
2003
2378
  const gitMetadata = { tags: [], branches: [] };
2004
2379
  metadata.git = gitMetadata;
@@ -2023,7 +2398,7 @@ const getGitMetadata = async (repositoryPath, checkWorkingDirectoryStatus, logge
2023
2398
  date: dayjs(currentCommit.date).format("YYYY-MM-DDTHH:mm:ssZ[Z]"),
2024
2399
  message: currentCommit.message
2025
2400
  };
2026
- const relatedTags = await getRelatedTags(gitRootPath, currentCommit.hash);
2401
+ const relatedTags = getRelatedTagsFromCache(tagCache, currentCommit.hash);
2027
2402
  gitMetadata.tags = relatedTags.map((tag) => tag.name);
2028
2403
  const relatedBranches = await getRelatedBranches(
2029
2404
  gitRootPath,
@@ -2049,11 +2424,11 @@ const getFetchGitMetadata = (targetDir, checkWorkingDirectoryStatus, logger) =>
2049
2424
  };
2050
2425
  };
2051
2426
  const name = "screw-up";
2052
- const version = "1.4.0";
2427
+ const version = "1.6.0";
2053
2428
  const author = "Kouji Matsui (@kekyo@mi.kekyo.net)";
2054
2429
  const license = "MIT";
2055
2430
  const repository_url = "https://github.com/kekyo/screw-up.git";
2056
- const git_commit_hash = "48850bae9ed83a921ef5239628983b3e797a0ce7";
2431
+ const git_commit_hash = "10c04af9c9b127002592d48cbb6ec18cfe5048bb";
2057
2432
  const packageMetadata = /* @__PURE__ */ Object.freeze(/* @__PURE__ */ Object.defineProperty({
2058
2433
  __proto__: null,
2059
2434
  author,
@@ -2074,4 +2449,4 @@ exports.replacePeerDependenciesWildcards = replacePeerDependenciesWildcards;
2074
2449
  exports.resolvePackageMetadata = resolvePackageMetadata;
2075
2450
  exports.resolveRawPackageJsonObject = resolveRawPackageJsonObject;
2076
2451
  exports.version = version;
2077
- //# sourceMappingURL=packageMetadata-BR1AdagI.cjs.map
2452
+ //# sourceMappingURL=packageMetadata-CCW9p12u.cjs.map