Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Fix bitbucket sync #3198

Merged
merged 10 commits into from
Nov 11, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 5 additions & 0 deletions .changeset/healthy-rabbits-fetch.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
"@tokens-studio/figma-plugin": patch
---

fixed an issue with pulling token sets from Bitbucket when multi-file sync is enabled, wherein all the token sets were not being pulled.
Original file line number Diff line number Diff line change
@@ -1,6 +1,3 @@
/* eslint-disable no-else-return */
/* eslint-disable @typescript-eslint/indent */
/* eslint "@typescript-eslint/no-unused-vars": off */
import { Bitbucket, Schema } from 'bitbucket';
import compact from 'just-compact';
import {
Expand Down Expand Up @@ -145,31 +142,40 @@ export class BitbucketTokenStorage extends GitTokenStorage {
*/

private async fetchJsonFilesFromDirectory(url: string): Promise<FetchJsonResult> {
const response = await fetch(url, {
headers: {
Authorization: `Basic ${btoa(`${this.username}:${this.secret}`)}`,
},
cache: 'no-cache',
let allJsonFiles: any[] = [];
let nextPageUrl: string | null = `${url}?pagelen=100`;

while (nextPageUrl) {
const response = await fetch(nextPageUrl, {
headers: {
Authorization: `Basic ${btoa(`${this.username}:${this.secret}`)}`,
},
cache: 'no-cache',
});

if (!response.ok) {
throw new Error(`Failed to read from Bitbucket: ${response.statusText}`);
}
if (!response.ok) {
throw new Error(`Failed to read from Bitbucket: ${response.statusText}`);
}

const data = await response.json();
if (data.values && Array.isArray(data.values)) {
let jsonFiles = data.values.filter((file: any) => file.path.endsWith('.json'));
const data = await response.json();
if (data.values && Array.isArray(data.values)) {
const jsonFiles = data.values.filter((file: any) => file.path.endsWith('.json'));
allJsonFiles = allJsonFiles.concat(jsonFiles);

const subDirectoryFiles = await Promise.all(
data.values
.filter((file: any) => file.type === 'commit_directory')
.map(async (directory: any) => await this.fetchJsonFilesFromDirectory(directory.links.self.href)),
);
// Fetch files from subdirectories recursively
const subDirectoryFiles = await Promise.all(
data.values
.filter((file: any) => file.type === 'commit_directory')
.map(async (directory: any) => await this.fetchJsonFilesFromDirectory(directory.links.self.href)),
);

jsonFiles = jsonFiles.concat(...subDirectoryFiles);
return jsonFiles;
}
return data;
allJsonFiles = allJsonFiles.concat(...subDirectoryFiles);
}

nextPageUrl = data.next || null;
}

return allJsonFiles;
}

public async read(): Promise<RemoteTokenStorageFile[] | RemoteTokenstorageErrorMessage> {
Expand All @@ -180,14 +186,14 @@ export class BitbucketTokenStorage extends GitTokenStorage {
const jsonFiles = await this.fetchJsonFilesFromDirectory(url);

if (Array.isArray(jsonFiles)) {
const jsonFileContents = await Promise.all(
jsonFiles.map((file: any) => fetch(file.links.self.href, {
const jsonFileContents = await Promise.all(
jsonFiles.map((file: any) => fetch(file.links.self.href, {
headers: {
Authorization: `Basic ${btoa(`${this.username}:${this.secret}`)}`,
},
cache: 'no-cache',
}).then((rsp) => rsp.text())),
);
);
// Process the content of each JSON file
return jsonFileContents.map((fileContent, index) => {
const { path } = jsonFiles[index];
Expand Down Expand Up @@ -219,7 +225,7 @@ export class BitbucketTokenStorage extends GitTokenStorage {
data: parsed as AnyTokenSet<false>,
};
});
} else if (jsonFiles) {
} if (jsonFiles) {
const parsed = jsonFiles as GitSingleFileObject;
return [
{
Expand All @@ -229,12 +235,12 @@ export class BitbucketTokenStorage extends GitTokenStorage {
},
...(parsed.$metadata
? [
{
type: 'metadata' as const,
path: this.path,
data: parsed.$metadata,
},
]
{
type: 'metadata' as const,
path: this.path,
data: parsed.$metadata,
},
]
: []),
...(
Object.entries(parsed).filter(([key]) => !Object.values<string>(SystemFilenames).includes(key)) as [
Expand Down Expand Up @@ -290,8 +296,8 @@ export class BitbucketTokenStorage extends GitTokenStorage {
* const response = await createOrUpdateFiles(params);
*/
public async createOrUpdateFiles({
owner, repo, branch, changes,
}: CreatedOrUpdatedFileType) {
owner, repo, branch, changes,
}: CreatedOrUpdatedFileType) {
const { message, files } = changes[0];

const data = new FormData();
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -113,56 +113,50 @@ describe('BitbucketTokenStorage', () => {
});

it('can read from Git in single file format', async () => {
mockFetch.mockImplementationOnce(() => Promise.resolve({
ok: true,
json: () => Promise.resolve({ global: { red: { name: 'red', type: 'color', value: '#ff0000' } } }),
}));
mockFetch
.mockImplementationOnce(() => Promise.resolve({
ok: true,
json: () => Promise.resolve({
values: [
{ path: '$themes.json', type: 'commit_file', links: { self: { href: 'https://api.bitbucket.org/file/$themes.json' } } },
{ path: 'global.json', type: 'commit_file', links: { self: { href: 'https://api.bitbucket.org/file/global.json' } } },
],
next: null, // No further pagination needed for this test
}),
}))
.mockImplementationOnce(() => Promise.resolve({
ok: true,
text: () => Promise.resolve(JSON.stringify({ $themes: [] })),
}))
.mockImplementationOnce(() => Promise.resolve({
ok: true,
text: () => Promise.resolve(JSON.stringify({ red: { name: 'red', type: 'color', value: '#ff0000' } })),
}));

const result = await storageProvider.read();
expect(result).toEqual([
{
path: '/$themes.json',
type: 'themes',
data: [],
},
{
path: '/global.json',
name: 'global',
type: 'tokenSet',
data: {
red: {
name: 'red',
type: 'color',
value: '#ff0000',
},
},
},
]);

storageProvider.changePath('data/core.json');

expect(result).toEqual([
{
path: '/$themes.json',
path: '$themes.json',
type: 'themes',
data: [],
data: { $themes: [] },
},
{
path: '/global.json',
path: 'global.json',
name: 'global',
type: 'tokenSet',
data: {
red: {
type: 'color',
name: 'red',
type: 'color',
value: '#ff0000',
},
},
},
]);

expect(mockFetch).toBeCalledWith(
`https://api.bitbucket.org/2.0/repositories/${storageProvider.owner}/${storageProvider.repository}/src/${storageProvider.branch}/`,
expect(mockFetch).toHaveBeenCalledWith(
`https://api.bitbucket.org/2.0/repositories/${storageProvider.owner}/${storageProvider.repository}/src/${storageProvider.branch}/?pagelen=100`,
{
headers: {
Authorization: `Basic ${btoa('myusername:mock-secret')}`,
Expand Down
Loading