refactor: mockless tests #163

Merged
mcataford merged 8 commits from mockless-tests into master 2021-02-19 04:31:33 +00:00
9 changed files with 290 additions and 299 deletions

View file

@ -19,7 +19,7 @@ jobs:
strategy: strategy:
matrix: matrix:
node-version: [10.x, 12.x] node-version: [12.x, 14.x]
steps: steps:
- uses: actions/checkout@v2 - uses: actions/checkout@v2
@ -39,7 +39,7 @@ jobs:
runs-on: ubuntu-latest runs-on: ubuntu-latest
strategy: strategy:
matrix: matrix:
node-version: [10.x, 12.x] node-version: [12.x, 14.x]
steps: steps:
- uses: actions/checkout@v2 - uses: actions/checkout@v2
@ -59,7 +59,7 @@ jobs:
- name: Node setup - name: Node setup
uses: actions/setup-node@v1 uses: actions/setup-node@v1
with: with:
node-version: 12 node-version: 14
- name: Prepare - name: Prepare
run: yarn && yarn build run: yarn && yarn build
- name: Release - name: Release

2
.nvmrc
View file

@ -1 +1 @@
12 14

View file

@ -52,7 +52,6 @@
"eslint-plugin-jest": "^24.1.5", "eslint-plugin-jest": "^24.1.5",
"eslint-plugin-prettier": "^3.1.2", "eslint-plugin-prettier": "^3.1.2",
"jest": "^26.0.1", "jest": "^26.0.1",
"mock-fs": "^4.11.0",
"prettier": "^2.0.5", "prettier": "^2.0.5",
"rimraf": "^3.0.2", "rimraf": "^3.0.2",
"semantic-release": "^17.0.4", "semantic-release": "^17.0.4",

View file

@ -1,261 +1,228 @@
import * as childProcess from 'child_process' import { promises as fs } from 'fs'
import { readFileSync } from 'fs' import { tmpdir } from 'os'
import { join, resolve } from 'path'
import mockFS from 'mock-fs'
import type { Report } from '../index.d'
import runPackwatch from '..' import runPackwatch from '..'
jest.mock('child_process') async function prepareWorkspace(): Promise<string> {
const workspacePath = await fs.mkdtemp(`${tmpdir()}/`, { recursive: true })
function getPackOutput({ packageSize, unpackedSize }) { return workspacePath
return `
npm notice
npm notice 📦 footprint@0.0.0
npm notice === Tarball Contents ===
npm notice 732B package.json
npm notice 1.8kB dist/helpers.js
npm notice 1.9kB dist/index.js
npm notice === Tarball Details ===
npm notice name: footprint
npm notice version: 0.0.0
npm notice filename: footprint-0.0.0.tgz
npm notice package size: ${packageSize}
npm notice unpacked size: ${unpackedSize}
npm notice shasum: bdf33d471543cd8126338a82a27b16a9010b8dbd
npm notice integrity: sha512-ZZvTg9GVcJw8J[...]bkE0xlqQhlt4Q==
npm notice total files: 3
npm notice
`
} }
function getManifest() { async function cleanUpWorkspace(paths: string[]): Promise<void> {
try { return Promise.all(
return JSON.parse(readFileSync('.packwatch.json', { encoding: 'utf8' })) paths.map(async path => fs.rmdir(path, { recursive: true })),
} catch { )
/* No manifest */
}
} }
function setupMockFS({ async function createFile(path: string, content: string): Promise<void> {
hasPackageJSON, await fs.writeFile(path, content)
hasManifest, }
manifestLimit,
manifestSize,
}) {
const fs = {}
if (hasPackageJSON) fs['package.json'] = '{}' async function createPackageJson(cwd: string): Promise<void> {
const path = resolve(join(cwd, 'package.json'))
await createFile(
path,
'{ "name": "wow", "version": "0.0.0", "files": ["!.packwatch.json"] }',
)
}
if (hasManifest) async function createManifest(
fs['.packwatch.json'] = JSON.stringify({ cwd: string,
unpackedSize: '0.5 B', configuration: Report,
limitBytes: manifestLimit, ): Promise<void> {
limit: `${manifestLimit} B`, const path = resolve(join(cwd, '.packwatch.json'))
packageSize: `${manifestSize} B`, await createFile(path, JSON.stringify(configuration))
packageSizeBytes: manifestSize,
})
mockFS(fs)
} }
describe('Packwatch', () => { describe('Packwatch', () => {
let mockLogger let mockLogger
let workspacePath
beforeEach(() => { beforeEach(() => {
mockFS({})
mockLogger = jest.spyOn(global.console, 'log').mockImplementation() mockLogger = jest.spyOn(global.console, 'log').mockImplementation()
}) })
afterEach(jest.restoreAllMocks) afterEach(async () => {
jest.restoreAllMocks()
afterAll(mockFS.restore) if (workspacePath) {
await cleanUpWorkspace([workspacePath])
workspacePath = null
}
})
it('warns the user and errors if run away from package.json', () => { it('warns the user and errors if run away from package.json', async () => {
mockFS({}) workspacePath = await prepareWorkspace()
runPackwatch() runPackwatch({ cwd: workspacePath })
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot( expect(mockLogger.mock.calls[0][0]).toEqual(
'"🤔 There is no package.json file here. Are you in the root directory of your project?"', expect.stringMatching(
'There is no package.json file here. Are you in the root directory of your project?',
),
) )
}) })
describe('without manifest', () => { describe('without manifest', () => {
beforeEach(() => { it('generates the initial manifest properly', async () => {
setupMockFS({ hasPackageJSON: true }) workspacePath = await prepareWorkspace()
}) await createPackageJson(workspacePath)
it.each(['1 B', '1.1 B', '1 kB', '1.1 kB', '1 mB', '1.1 mB'])( runPackwatch({ cwd: workspacePath })
'generates the initial manifest properly (size = %s)',
mockSize => {
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({
stderr: getPackOutput({
packageSize: mockSize,
unpackedSize: mockSize,
}),
})
const returnCode = runPackwatch()
const manifest = getManifest()
expect(returnCode).toEqual(1)
expect(manifest).toEqual({
limit: mockSize,
packageSize: mockSize,
unpackedSize: mockSize,
})
},
)
it('outputs expected messaging', () => { const generatedManifest = await fs.readFile(
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({ resolve(join(workspacePath, '.packwatch.json')),
stderr: getPackOutput({ { encoding: 'utf8' },
packageSize: '1 B', )
unpackedSize: '2 B',
}),
})
runPackwatch() expect(generatedManifest).toEqual(
'{"limit":"160 B","packageSize":"160 B","unpackedSize":"68 B"}',
expect(mockLogger.mock.calls).toHaveLength(2)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot(`
"📝 No Manifest to compare against! Current package stats written to .packwatch.json!
Package size (1 B) adopted as new limit."
`)
expect(mockLogger.mock.calls[1][0]).toMatchInlineSnapshot(
'"❗ It looks like you ran PackWatch without a manifest. To prevent accidental passes in CI or hooks, packwatch will terminate with an error. If you are running packwatch for the first time in your project, this is expected!"',
) )
}) })
it('outputs expected messaging when not updating the manifest', () => { it('outputs expected messaging', async () => {
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({ workspacePath = await prepareWorkspace()
stderr: getPackOutput({ await createPackageJson(workspacePath)
packageSize: '1 B',
unpackedSize: '2 B',
}),
})
runPackwatch({ isUpdatingManifest: true }) runPackwatch({ cwd: workspacePath })
expect(mockLogger.mock.calls).toHaveLength(2)
expect(mockLogger.mock.calls[0][0]).toEqual(
expect.stringMatching(
/No Manifest to compare against! Current package stats written to \.packwatch\.json!\nPackage size \(\d+ B\) adopted as new limit\./,
),
)
expect(mockLogger.mock.calls[1][0]).toEqual(
expect.stringMatching(
'It looks like you ran PackWatch without a manifest. To prevent accidental passes in CI or hooks, packwatch will terminate with an error. If you are running packwatch for the first time in your project, this is expected!',
),
)
})
it('outputs expected messaging when not updating the manifest', async () => {
workspacePath = await prepareWorkspace()
await createPackageJson(workspacePath)
runPackwatch({ cwd: workspacePath, isUpdatingManifest: true })
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot(` expect(mockLogger.mock.calls[0][0]).toEqual(
"📝 No Manifest to compare against! Current package stats written to .packwatch.json! expect.stringMatching(
Package size (1 B) adopted as new limit." /No Manifest to compare against! Current package stats written to \.packwatch\.json!\nPackage size \(\d+ B\) adopted as new limit\./,
`) ),
)
}) })
}) })
describe('with manifest', () => { describe('with manifest', () => {
it('messages when the size is equal to the limit', () => { it('messages when the size is equal to the limit', async () => {
setupMockFS({ workspacePath = await prepareWorkspace()
hasPackageJSON: true,
hasManifest: true, await createPackageJson(workspacePath)
manifestLimit: 1, await createManifest(workspacePath, {
manifestSize: 1, limit: '160B',
packageSize: '160B',
unpackedSize: '150B',
}) })
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({ runPackwatch({ cwd: workspacePath })
stderr: getPackOutput({
packageSize: '1 B',
unpackedSize: '2 B',
}),
})
runPackwatch()
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot( expect(mockLogger.mock.calls[0][0]).toEqual(
'"📦 Nothing to report! Your package is the same size as the latest manifest reports! (Limit: 1 B)"', expect.stringMatching(
/Nothing to report! Your package is the same size as the latest manifest reports! \(Limit: 160B\)/,
),
) )
}) })
it('messages when the size is lower than the limit (no growth)', () => { it('messages when the size is lower than the limit (no growth)', async () => {
setupMockFS({ workspacePath = await prepareWorkspace()
hasPackageJSON: true,
hasManifest: true, await createPackageJson(workspacePath)
manifestLimit: 5, await createManifest(workspacePath, {
manifestSize: 1, limit: '170B',
packageSize: '160B',
unpackedSize: '150B',
}) })
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({
stderr: getPackOutput({ runPackwatch({ cwd: workspacePath })
packageSize: '1 B',
unpackedSize: '2 B',
}),
})
runPackwatch()
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot( expect(mockLogger.mock.calls[0][0]).toEqual(
'"📦 Nothing to report! Your package is the same size as the latest manifest reports! (Limit: 5 B)"', expect.stringMatching(
/Nothing to report! Your package is the same size as the latest manifest reports! \(Limit: 170B\)/,
),
) )
}) })
it('messages when the size is lower than the limit (growth)', () => { it('messages when the size is lower than the limit (growth)', async () => {
setupMockFS({ workspacePath = await prepareWorkspace()
hasPackageJSON: true,
hasManifest: true, await createPackageJson(workspacePath)
manifestLimit: 5, await createManifest(workspacePath, {
manifestSize: 2, limit: '180B',
packageSize: '150B',
unpackedSize: '140B',
}) })
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({
stderr: getPackOutput({ runPackwatch({ cwd: workspacePath })
packageSize: '3 B',
unpackedSize: '2 B',
}),
})
runPackwatch()
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot( expect(mockLogger.mock.calls[0][0]).toEqual(
'"📦 👀 Your package grew! 3 B > 2 B (Limit: 5 B)"', expect.stringMatching(
/Your package grew! \d+ B > 150B \(Limit: 180B\)/,
),
) )
}) })
it('messages when the size is lower than the limit (shrinkage)', () => { it('messages when the size is lower than the limit (shrinkage)', async () => {
setupMockFS({ workspacePath = await prepareWorkspace()
hasPackageJSON: true,
hasManifest: true, await createPackageJson(workspacePath)
manifestLimit: 5, await createManifest(workspacePath, {
manifestSize: 2, limit: '180B',
packageSize: '170B',
unpackedSize: '140B',
}) })
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({
stderr: getPackOutput({ runPackwatch({ cwd: workspacePath })
packageSize: '1 B',
unpackedSize: '2 B',
}),
})
runPackwatch()
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot( expect(mockLogger.mock.calls[0][0]).toEqual(
'"📦 💯 Your package shrank! 1 B < 2 B (Limit: 5 B)"', expect.stringMatching(
/Your package shrank! \d+ B < 170B \(Limit: 180B\)/,
),
) )
}) })
it('messages when the size exceeds the limit', () => { it('messages when the size exceeds the limit', async () => {
setupMockFS({ workspacePath = await prepareWorkspace()
hasPackageJSON: true,
hasManifest: true, await createPackageJson(workspacePath)
manifestLimit: 0.5, await createManifest(workspacePath, {
manifestSize: 0.5, limit: '10B',
packageSize: '170B',
unpackedSize: '140B',
}) })
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({
stderr: getPackOutput({ runPackwatch({ cwd: workspacePath })
packageSize: '1 B',
unpackedSize: '2 B',
}),
})
runPackwatch()
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot(` expect(mockLogger.mock.calls[0][0]).toEqual(
"🔥🔥📦🔥🔥 Your package exceeds the limit set in .packwatch.json! 1 B > 0.5 B expect.stringMatching(
Either update the limit by using the --update-manifest flag or trim down your packed files!" /Your package exceeds the limit set in \.packwatch\.json! \d+ B > 10B\nEither update the limit by using the --update-manifest flag or trim down your packed files!/,
`) ),
)
}) })
it('messages when updating the manifest', () => { it('messages when updating the manifest', async () => {
setupMockFS({ workspacePath = await prepareWorkspace()
hasPackageJSON: true,
hasManifest: true, await createPackageJson(workspacePath)
manifestLimit: 0.5, await createManifest(workspacePath, {
manifestSize: 0.5, limit: '10B',
packageSize: '170B',
unpackedSize: '140B',
}) })
jest.spyOn(childProcess, 'spawnSync').mockReturnValue({
stderr: getPackOutput({ runPackwatch({ cwd: workspacePath, isUpdatingManifest: true })
packageSize: '1 B',
unpackedSize: '2 B',
}),
})
runPackwatch({ isUpdatingManifest: true })
expect(mockLogger.mock.calls).toHaveLength(1) expect(mockLogger.mock.calls).toHaveLength(1)
expect(mockLogger.mock.calls[0][0]).toMatchInlineSnapshot( expect(mockLogger.mock.calls[0][0]).toEqual(
'"📝 Updated the manifest! Package size: 1 B, Limit: 1 B"', expect.stringMatching(
/Updated the manifest! Package size: \d+ B, Limit: \d+ B/,
),
) )
}) })
}) })

View file

@ -3,5 +3,6 @@
import runPackwatch from '.' import runPackwatch from '.'
const isUpdatingManifest = process.argv.includes('--update-manifest') const isUpdatingManifest = process.argv.includes('--update-manifest')
const processExit = runPackwatch({ isUpdatingManifest }) const cwd = process.cwd()
const processExit = runPackwatch({ cwd, isUpdatingManifest })
process.exit(processExit) process.exit(processExit)

View file

@ -1,107 +1,40 @@
import { spawnSync } from 'child_process' import { existsSync } from 'fs'
import { existsSync, readFileSync, writeFileSync } from 'fs' import { join, resolve } from 'path'
import { Report } from './index.d' import {
createOrUpdateManifest,
const PACKAGE_SIZE_PATT = /package size:\s*([0-9]+\.?[0-9]*\s+[A-Za-z]{1,2})/ getCurrentPackageStats,
const UNPACKED_SIZE_PATT = /unpacked size:\s*([0-9]+\.?[0-9]*\s+[A-Za-z]{1,2})/ getPreviousPackageStats,
const SIZE_SUFFIX_PATT = /([A-Za-z]+)/ } from './utils'
const SIZE_MAGNITUDE_PATT = /([0-9]+\.?[0-9]*)/
const MANIFEST_FILENAME = '.packwatch.json' const MANIFEST_FILENAME = '.packwatch.json'
function convertSizeToBytes(sizeString: string): number { export default function run({
const sizeSuffix = SIZE_SUFFIX_PATT.exec(sizeString)[1] cwd,
const sizeMagnitude = SIZE_MAGNITUDE_PATT.exec(sizeString)[1] isUpdatingManifest,
let multiplier = 1
if (sizeSuffix === 'kB') multiplier = 1000
else if (sizeSuffix === 'mB') {
multiplier = 1000000
}
return multiplier * parseFloat(sizeMagnitude)
}
function getCurrentPackageStats(): Report {
const { stderr } = spawnSync('npm', ['pack', '--dry-run'], {
encoding: 'utf-8',
})
const stderrString = String(stderr)
const packageSize = PACKAGE_SIZE_PATT.exec(stderrString)[1]
const unpackedSize = UNPACKED_SIZE_PATT.exec(stderrString)[1]
return {
packageSize,
unpackedSize,
packageSizeBytes: convertSizeToBytes(packageSize),
unpackedSizeBytes: convertSizeToBytes(unpackedSize),
}
}
function getPreviousPackageStats(): Report | null {
try {
const currentManifest = readFileSync(MANIFEST_FILENAME, {
encoding: 'utf-8',
})
const parsedManifest = JSON.parse(currentManifest)
return {
...parsedManifest,
packageSizeBytes: convertSizeToBytes(parsedManifest.packageSize),
unpackedSizeBytes: convertSizeToBytes(parsedManifest.unpackedSize),
limitBytes: convertSizeToBytes(parsedManifest.limit),
}
} catch {
/* No manifest */
}
}
function createOrUpdateManifest({
previous,
current,
updateLimit = false,
}: { }: {
previous?: Report cwd?: string
current: Report isUpdatingManifest?: boolean
updateLimit?: boolean }): number {
}): void { const packageJsonPath = resolve(join(cwd, 'package.json'))
const { limit } = previous || {} const manifestPath = resolve(join(cwd, MANIFEST_FILENAME))
const { packageSize, unpackedSize } = current
const newManifest = { if (!existsSync(packageJsonPath)) {
limit: updateLimit ? packageSize : limit || packageSize,
packageSize: packageSize,
unpackedSize: unpackedSize,
}
writeFileSync(MANIFEST_FILENAME, JSON.stringify(newManifest))
}
export default function run(
{
manifestFn = MANIFEST_FILENAME,
isUpdatingManifest,
}: { manifestFn?: string; isUpdatingManifest?: boolean } = {
manifestFn: MANIFEST_FILENAME,
isUpdatingManifest: false,
},
): number {
if (!existsSync('package.json')) {
console.log( console.log(
'🤔 There is no package.json file here. Are you in the root directory of your project?', '🤔 There is no package.json file here. Are you in the root directory of your project?',
) )
return 1 return 1
} }
const currentStats = getCurrentPackageStats() const currentStats = getCurrentPackageStats(cwd)
/* /*
* If there is no manifest file yet, we can use the current package stats as * If there is no manifest file yet, we can use the current package stats as
* a base to build one. The current package size becomes the limit. * a base to build one. The current package size becomes the limit.
*/ */
if (!existsSync(manifestFn)) { if (!existsSync(manifestPath)) {
createOrUpdateManifest({ current: currentStats }) createOrUpdateManifest({ manifestPath, current: currentStats })
console.log( console.log(
`📝 No Manifest to compare against! Current package stats written to ${MANIFEST_FILENAME}!\nPackage size (${currentStats.packageSize}) adopted as new limit.`, `📝 No Manifest to compare against! Current package stats written to ${MANIFEST_FILENAME}!\nPackage size (${currentStats.packageSize}) adopted as new limit.`,
) )
@ -116,7 +49,7 @@ export default function run(
return isUpdatingManifest ? 0 : 1 return isUpdatingManifest ? 0 : 1
} }
const previousStats = getPreviousPackageStats() const previousStats = getPreviousPackageStats(cwd)
const { packageSizeBytes, packageSize } = currentStats const { packageSizeBytes, packageSize } = currentStats
const { const {
packageSize: previousSize, packageSize: previousSize,
@ -135,6 +68,7 @@ export default function run(
previous: previousStats, previous: previousStats,
current: currentStats, current: currentStats,
updateLimit: true, updateLimit: true,
manifestPath,
}) })
console.log( console.log(
`📝 Updated the manifest! Package size: ${packageSize}, Limit: ${packageSize}`, `📝 Updated the manifest! Package size: ${packageSize}, Limit: ${packageSize}`,

15
src/utils.test.ts Normal file
View file

@ -0,0 +1,15 @@
import { convertSizeToBytes } from './utils'
describe('utils', () => {
it.each`
initialSize | expectedSize
${'1 B'} | ${1}
${'1 kB'} | ${1000}
${'1 mB'} | ${1000000}
`(
'converts sizes properly ($initialSize -> $expectedSize)',
({ initialSize, expectedSize }) => {
expect(convertSizeToBytes(initialSize)).toEqual(expectedSize)
},
)
})

83
src/utils.ts Normal file
View file

@ -0,0 +1,83 @@
import { spawnSync } from 'child_process'
import { readFileSync, writeFileSync } from 'fs'
import { join, resolve } from 'path'
import { Report } from './index.d'
const PACKAGE_SIZE_PATT = /package size:\s*([0-9]+\.?[0-9]*\s+[A-Za-z]{1,2})/
const UNPACKED_SIZE_PATT = /unpacked size:\s*([0-9]+\.?[0-9]*\s+[A-Za-z]{1,2})/
const SIZE_SUFFIX_PATT = /([A-Za-z]+)/
const SIZE_MAGNITUDE_PATT = /([0-9]+\.?[0-9]*)/
const MANIFEST_FILENAME = '.packwatch.json'
export function convertSizeToBytes(sizeString: string): number {
const sizeSuffix = SIZE_SUFFIX_PATT.exec(sizeString)[1]
const sizeMagnitude = SIZE_MAGNITUDE_PATT.exec(sizeString)[1]
let multiplier = 1
if (sizeSuffix === 'kB') multiplier = 1000
else if (sizeSuffix === 'mB') {
multiplier = 1000000
}
return multiplier * parseFloat(sizeMagnitude)
}
export function getCurrentPackageStats(cwd: string): Report {
const { stderr } = spawnSync('npm', ['pack', '--dry-run'], {
encoding: 'utf-8',
cwd,
})
const stderrString = String(stderr)
const packageSize = PACKAGE_SIZE_PATT.exec(stderrString)[1]
const unpackedSize = UNPACKED_SIZE_PATT.exec(stderrString)[1]
return {
packageSize,
unpackedSize,
packageSizeBytes: convertSizeToBytes(packageSize),
unpackedSizeBytes: convertSizeToBytes(unpackedSize),
}
}
export function getPreviousPackageStats(cwd: string): Report | null {
const manifestPath = resolve(join(cwd, MANIFEST_FILENAME))
try {
const currentManifest = readFileSync(manifestPath, {
encoding: 'utf-8',
})
const parsedManifest = JSON.parse(currentManifest)
return {
...parsedManifest,
packageSizeBytes: convertSizeToBytes(parsedManifest.packageSize),
unpackedSizeBytes: convertSizeToBytes(parsedManifest.unpackedSize),
limitBytes: convertSizeToBytes(parsedManifest.limit),
}
} catch {
/* No manifest */
}
}
export function createOrUpdateManifest({
previous,
current,
manifestPath,
updateLimit = false,
}: {
previous?: Report
current: Report
updateLimit?: boolean
}): void {
const { limit } = previous || {}
const { packageSize, unpackedSize } = current
const newManifest = {
limit: updateLimit ? packageSize : limit || packageSize,
packageSize: packageSize,
unpackedSize: unpackedSize,
}
writeFileSync(manifestPath, JSON.stringify(newManifest))
}

View file

@ -7501,13 +7501,6 @@ __metadata:
languageName: node languageName: node
linkType: hard linkType: hard
"mock-fs@npm:^4.11.0":
version: 4.13.0
resolution: "mock-fs@npm:4.13.0"
checksum: cfb2134de7dfa53ebbbbacdd1b4fc834cce99ee9c231e8e129d9d32b669d15936217a7cdef8325946dd4e398ecfc401aa14c79030b8421cdf6ebd904786d8578
languageName: node
linkType: hard
"modify-values@npm:^1.0.0": "modify-values@npm:^1.0.0":
version: 1.0.1 version: 1.0.1
resolution: "modify-values@npm:1.0.1" resolution: "modify-values@npm:1.0.1"
@ -8423,7 +8416,6 @@ __metadata:
eslint-plugin-jest: ^24.1.5 eslint-plugin-jest: ^24.1.5
eslint-plugin-prettier: ^3.1.2 eslint-plugin-prettier: ^3.1.2
jest: ^26.0.1 jest: ^26.0.1
mock-fs: ^4.11.0
prettier: ^2.0.5 prettier: ^2.0.5
rimraf: ^3.0.2 rimraf: ^3.0.2
semantic-release: ^17.0.4 semantic-release: ^17.0.4