-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
1 parent
1272a2a
commit 1a171d0
Showing
13 changed files
with
735 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,49 @@ | ||
name: SDK Load Test | ||
|
||
on: | ||
# push: | ||
# branches: [ "deploy-story-contracts" ] | ||
|
||
# pull_request: | ||
# branches: [ "main" ] | ||
|
||
workflow_dispatch: | ||
inputs: | ||
running_amounts: | ||
description: 'devnet01 is storyprotocol devnet; devnet02 is 57blocks devnet; testnet is storyprotocol partner-testnet' | ||
required: false | ||
default: 'devnet01' | ||
|
||
jobs: | ||
build: | ||
runs-on: ubuntu-latest | ||
|
||
strategy: | ||
matrix: | ||
node-version: [21.x] | ||
|
||
steps: | ||
- name: Check Out Repository Code | ||
uses: actions/checkout@v4 | ||
|
||
- name: Run Load Test | ||
run: | | ||
npm install | ||
npx ts-node ./sdk_load_test/load_create_ip_with_existing_collection.ts > ./test_report/load_test_out.log 2>&1 | ||
- name: Deploy report to GitHub Pages | ||
if: always() | ||
uses: peaceiris/actions-gh-pages@v4 | ||
with: | ||
github_token: ${{ secrets.GITHUB_TOKEN }} | ||
publish_dir: ./test_report | ||
publish_branch: gh-pages | ||
keep_files: true | ||
|
||
- name: Upload Test Report | ||
if: always() | ||
uses: actions/upload-artifact@v4 | ||
with: | ||
name: hub-load-test-report | ||
path: | | ||
./test_report/load_test_out.log |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -2,3 +2,4 @@ | |
.bin | ||
.lib | ||
pyvenv.cfg | ||
node_modules/ |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,16 @@ | ||
{ | ||
"name": "hub-load-tests", | ||
"version": "1.0.0", | ||
"description": "", | ||
"main": "index.js", | ||
"scripts": { | ||
"test:sepolia:smoke": "env TEST_ENV='sepolia' mocha -r ts-node/register -r mocha-steps --grep '\\[smoke\\]' './test/**/**/*.test.ts' --timeout 240000 --reporter mochawesome --reporter-options reportDir='test-reports',reportFilename='[status]_[datetime]_sdk-test-report',timestamp='mm-dd-yyyy_HHMMss',reportTitle='SDK Test Report'" | ||
}, | ||
"dependencies": { | ||
"@story-protocol/core-sdk": "1.0.0-rc.22", | ||
"viem": "^2.8.12" | ||
}, | ||
"devDependencies": { | ||
|
||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,87 @@ | ||
import { http, Address } from "viem"; | ||
import { PIL_TYPE } from "@story-protocol/core-sdk"; | ||
import { StoryClient, StoryConfig } from "@story-protocol/core-sdk"; | ||
import { loadPrivatekeys } from "./transfer"; | ||
import { privateKeyToAccount } from "viem/accounts"; | ||
|
||
const rpcProviderUrl = 'https://testnet.storyrpc.io'; | ||
|
||
async function createCollectionAndPublishIpAsset(privateKey: string) { | ||
const testAccount = privateKeyToAccount(privateKey as Address); | ||
const config: StoryConfig = { | ||
account: testAccount, | ||
transport: http(rpcProviderUrl), | ||
}; | ||
|
||
const testClient = StoryClient.newClient(config); | ||
|
||
const response = await testClient.nftClient.createNFTCollection({ | ||
name: "load-test", | ||
symbol: "TEST", | ||
txOptions: { | ||
waitForTransaction: true, | ||
}, | ||
}); | ||
|
||
const nftCollectionAddress = response.nftContract; | ||
console.log(`NFT Collection address: ${nftCollectionAddress}`); | ||
|
||
// Check if nftCollectionAddress is defined | ||
if (!nftCollectionAddress) { | ||
throw new Error("NFT Collection Address is undefined"); | ||
}; | ||
|
||
const publicshAssetResponse =await testClient.ipAsset.mintAndRegisterIpAssetWithPilTerms({ | ||
nftContract: nftCollectionAddress, | ||
pilType: PIL_TYPE.NON_COMMERCIAL_REMIX, | ||
txOptions: { | ||
waitForTransaction: true, | ||
}, | ||
}); | ||
|
||
console.log(`mintAndRegisterIpAssetWithPilTerms, txHash: ${publicshAssetResponse.txHash}, ipId: ${publicshAssetResponse.ipId}, tokenId: ${publicshAssetResponse.tokenId}, licenseTermsId: ${publicshAssetResponse.licenseTermsId}`); | ||
|
||
if (!publicshAssetResponse.txHash) { | ||
throw new Error("NFT Collection Address is undefined"); | ||
}; | ||
|
||
return { txHash: publicshAssetResponse.txHash,ipId: publicshAssetResponse.ipId, tokenId: publicshAssetResponse.tokenId, licenseTermsId: publicshAssetResponse.licenseTermsId} | ||
}; | ||
|
||
const privateKeys : string[] = loadPrivatekeys('./test/load_test/wallets_privateKeys.json'); | ||
console.log(`Wallets loaded: ${privateKeys}`); | ||
|
||
async function executePromises() { | ||
const promises: Promise<any>[] = privateKeys.map(async (privateKey) => { | ||
const startTime = Date.now(); // Record the start time | ||
const result = await createCollectionAndPublishIpAsset(privateKey); // Execute the promise | ||
const endTime = Date.now(); // Record the end time | ||
const duration = endTime - startTime; // Calculate the duration | ||
console.log(`Request for privateKey ${privateKey} took ${duration} ms`); // Print the duration | ||
return result; // Return the result | ||
}); | ||
|
||
// Using Promise.all to wait for all promises to resolve | ||
try { | ||
const results = await Promise.all(promises); | ||
console.log('All promises have resolved'); | ||
results.forEach((result, index) => { | ||
console.log(`Result of promise ${index + 1}:`, result); | ||
}); | ||
} catch (error) { | ||
console.error('At least one promise was rejected:', error); | ||
} | ||
} | ||
|
||
async function main() { | ||
const numberOfExecutions = 10; // Change this to the number of times you want to execute | ||
for (let i = 0; i < numberOfExecutions; i++) { | ||
console.log(`Execution ${i + 1}:`); | ||
await executePromises(); // Ensure this is in an async context | ||
} | ||
} | ||
|
||
// Call the main function | ||
main().catch(error => { | ||
console.error('Error in main execution:', error); | ||
}); |
219 changes: 219 additions & 0 deletions
219
sdk_load_test/load_create_ip_with_existing_collection.ts
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,219 @@ | ||
import { http, Address } from "viem"; | ||
import { PIL_TYPE } from "@story-protocol/core-sdk"; | ||
import { StoryClient, StoryConfig } from "@story-protocol/core-sdk"; | ||
import { loadPrivatekeys } from "./transfer"; | ||
import { privateKeyToAccount } from "viem/accounts"; | ||
import * as fs from 'fs'; | ||
import * as path from 'path'; | ||
|
||
const rpcProviderUrl = 'https://testnet.storyrpc.io'; | ||
const keyCollectionAddress: { [key: string]: any } = {}; | ||
|
||
const sourceFilePath = './sdk_load_test/wallets_privateKeys.json'; | ||
const destinationFilePath = './sdk_load_test/wallets_privateKey_test.json'; | ||
const numberOfEntriesToCopy = 2; | ||
const numberOfExecutions = 2; | ||
|
||
async function createCollection(privateKey: string) { | ||
const testAccount = privateKeyToAccount(privateKey as Address); | ||
const config: StoryConfig = { | ||
account: testAccount, | ||
transport: http(rpcProviderUrl), | ||
}; | ||
|
||
const testClient = StoryClient.newClient(config); | ||
|
||
const response = await testClient.nftClient.createNFTCollection({ | ||
name: "load-test", | ||
symbol: "TEST", | ||
txOptions: { | ||
waitForTransaction: true, | ||
}, | ||
}); | ||
|
||
const nftCollectionAddress = response.nftContract; | ||
console.log(`NFT Collection address: ${nftCollectionAddress}`); | ||
|
||
return { privateKey, nftCollectionAddress } | ||
} | ||
|
||
async function createIpAssetWithExistingCollection(privateKey: string) { | ||
const testAccount = privateKeyToAccount(privateKey as Address); | ||
const config: StoryConfig = { | ||
account: testAccount, | ||
transport: http(rpcProviderUrl), | ||
}; | ||
|
||
const testClient = StoryClient.newClient(config); | ||
const nftCollectionAddress = keyCollectionAddress[privateKey]; | ||
console.log(`NFT Collection address: ${nftCollectionAddress}`); | ||
|
||
|
||
const publicshAssetResponse =await testClient.ipAsset.mintAndRegisterIpAssetWithPilTerms({ | ||
nftContract: nftCollectionAddress, | ||
pilType: PIL_TYPE.NON_COMMERCIAL_REMIX, | ||
txOptions: { | ||
waitForTransaction: true, | ||
}, | ||
}); | ||
|
||
console.log(`mintAndRegisterIpAssetWithPilTerms, txHash: ${publicshAssetResponse.txHash}, ipId: ${publicshAssetResponse.ipId}, tokenId: ${publicshAssetResponse.tokenId}, licenseTermsId: ${publicshAssetResponse.licenseTermsId}`); | ||
|
||
if (!publicshAssetResponse.txHash) { | ||
throw new Error("NFT Collection Address is undefined"); | ||
}; | ||
|
||
return { txHash: publicshAssetResponse.txHash,ipId: publicshAssetResponse.ipId, tokenId: publicshAssetResponse.tokenId, licenseTermsId: publicshAssetResponse.licenseTermsId} | ||
}; | ||
|
||
function replacer(key: string, value: any) { | ||
if (typeof value === 'bigint') { | ||
return value.toString(); // Convert BigInt to string | ||
} | ||
return value; // Return the value as is for other types | ||
} | ||
|
||
// Function to copy the first N addresses and private keys to a new file | ||
function copyFirstNAddressesAndKeys(sourceFilePath: string, destinationFilePath: string, count: number) { | ||
// Read the source JSON file | ||
const data = fs.readFileSync(sourceFilePath, 'utf-8'); | ||
const jsonData = JSON.parse(data); | ||
|
||
// Extract the first N addresses and private keys | ||
const addressesToCopy = jsonData.addresses.slice(0, count); | ||
const privateKeysToCopy = jsonData.privateKeys.slice(0, count); | ||
|
||
// Create a new JSON structure | ||
const newJsonData = { | ||
addresses: addressesToCopy, | ||
privateKeys: privateKeysToCopy | ||
}; | ||
|
||
// Write the new JSON structure to the destination file | ||
fs.writeFileSync(destinationFilePath, JSON.stringify(newJsonData, null, 4)); // Pretty print with 4 spaces | ||
console.log(`Copied the first ${count} addresses and private keys to ${destinationFilePath}`); | ||
}; | ||
|
||
async function executeCreateCollections() { | ||
const privateKeys : string[] = loadPrivatekeys('./sdk_load_test/wallets_privateKey_test.json'); | ||
console.log(`Wallets loaded: ${privateKeys}`); | ||
|
||
// Create an array of promises for createCollection | ||
const promises = privateKeys.map(privateKey => createCollection(privateKey)); | ||
|
||
// Using Promise.all to wait for all promises to resolve | ||
try { | ||
const results = await Promise.all(promises); | ||
|
||
results.forEach(result => { | ||
keyCollectionAddress[result.privateKey] = result.nftCollectionAddress; | ||
}); | ||
|
||
console.log('Key-Value Data:', keyCollectionAddress); | ||
} catch (error) { | ||
console.error('Error creating NFT collections:', error); | ||
} | ||
} | ||
|
||
async function executePromises() { | ||
const privateKeys : string[] = loadPrivatekeys('./sdk_load_test/wallets_privateKey_test.json'); | ||
console.log(`Wallets loaded: ${privateKeys}`); | ||
const promises: Promise<any>[] = privateKeys.map(async (privateKey) => { | ||
const startTime = Date.now(); // Record the start time | ||
const result = await createIpAssetWithExistingCollection(privateKey); // Execute the promise | ||
const endTime = Date.now(); // Record the end time | ||
const duration = endTime - startTime; // Calculate the duration | ||
console.log(`Request for privateKey ${privateKey} took ${duration} ms`); // Print the duration | ||
return { result, duration }; // Return the result | ||
}); | ||
|
||
// Using Promise.all to wait for all promises to resolve | ||
try { | ||
const results = await Promise.all(promises); | ||
console.log('All promises have resolved'); | ||
|
||
// Extract the durations from the results | ||
const durations = results.map(result => result.duration); | ||
|
||
// Calculate the number of requests that took longer than 8000 ms (6 seconds) | ||
const longRequests = durations.filter(duration => duration > 8000); | ||
const longRequestCount = longRequests.length; | ||
const totalRequests = durations.length; | ||
const longRequestPercentage = (longRequestCount / totalRequests) * 100; | ||
|
||
console.log(`Number of requests taking longer than 6 seconds: ${longRequestCount}`); | ||
console.log(`Percentage of requests taking longer than 6 seconds: ${longRequestPercentage.toFixed(2)}%`); | ||
|
||
results.forEach((result, index) => { | ||
console.log(`Result of promise ${index + 1}:`, result); | ||
const outputFilePath = `./sdk_load_test/test_results/load_results_${index + 1}.json`; | ||
fs.writeFileSync(outputFilePath, JSON.stringify(results, replacer, 4)); | ||
}); | ||
} catch (error) { | ||
console.error('At least one promise was rejected:', error); | ||
} | ||
} | ||
|
||
// Function to read and merge JSON files from a directory | ||
async function mergeJsonFiles(directory: string) { | ||
const mergedResults: any[] = []; // Array to hold merged results | ||
|
||
// Read all files in the specified directory | ||
const files = fs.readdirSync(directory); | ||
|
||
for (const file of files) { | ||
const filePath = path.join(directory, file); | ||
if (fs.statSync(filePath).isFile() && filePath.endsWith('.json')) { | ||
// Read and parse each JSON file | ||
const data = fs.readFileSync(filePath, 'utf-8'); | ||
const jsonData = JSON.parse(data); | ||
mergedResults.push(...jsonData); // Merge results | ||
} | ||
} | ||
|
||
return mergedResults; | ||
}; | ||
|
||
// Function to analyze durations | ||
function analyzeDurations(results: any[]) { | ||
const durations = results.map(result => result.duration); | ||
const totalDuration = durations.reduce((acc, curr) => acc + curr, 0); | ||
const averageDuration = totalDuration / durations.length; | ||
|
||
// Count durations in specific ranges | ||
const longDurationCount = durations.filter(duration => duration > 8000).length; | ||
const shortDurationCount = durations.filter(duration => duration <= 8000).length; | ||
|
||
// Total number of requests | ||
const totalRequests = results.length; | ||
|
||
console.log(`Total Requests: ${totalRequests}`); | ||
console.log(`Total Duration: ${totalDuration} ms`); | ||
console.log(`Average Duration: ${averageDuration.toFixed(2)} ms`); | ||
console.log(`Count of durations > 8000 ms: ${longDurationCount}`); | ||
console.log(`Count of durations <= 8000 ms: ${shortDurationCount}`); | ||
}; | ||
|
||
// Main function to execute the merging and analysis | ||
async function testResult() { | ||
const directoryPath = './sdk_load_test/test_results'; // Replace with your directory containing JSON files | ||
const mergedResults = await mergeJsonFiles(directoryPath); | ||
analyzeDurations(mergedResults); | ||
} | ||
|
||
async function main() { | ||
copyFirstNAddressesAndKeys(sourceFilePath, destinationFilePath, numberOfEntriesToCopy); | ||
await executeCreateCollections(); | ||
|
||
for (let i = 0; i < numberOfExecutions; i++) { | ||
console.log(`Execution ${i + 1}:`); | ||
await executePromises(); // Ensure this is in an async context | ||
} | ||
|
||
testResult(); | ||
} | ||
|
||
// Call the main function | ||
main().catch(error => { | ||
console.error('Error in main execution:', error); | ||
}); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
#!/bin/bash | ||
|
||
LOAD_TEST_SCRIPT1="load_create_ip_with_existing_collection.ts" | ||
LOG_FILE="load_test_output.log" # Replace with your desired log file name | ||
|
||
# Check if the compilation was successful | ||
if [ $? -eq 0 ]; then | ||
# Run the compiled JavaScript file and redirect output to the log file | ||
node "${TS_FILE%.ts}.js" > "$LOG_FILE" 2>&1 | ||
echo "Execution completed. Logs saved to $LOG_FILE." | ||
else | ||
echo "Compilation failed." | ||
fi |
Oops, something went wrong.