discogs-client
discogs-client
is a Node.js and browser client library that connects with the Discogs.com API v2.0.
This library is a fork of the original library which does the following:
Discogs Auth
npm install @lionralfs/discogs-client
Here are some basic usage examples that connect with the public API. Error handling has been left out for demonstrational purposes.
// in modern JS/TS
import { DiscogsClient } from '@lionralfs/discogs-client';
// in commonjs environments
const { DiscogsClient } = require('@lionralfs/discogs-client/commonjs');
// in browser environments
import { DiscogsClient } from '@lionralfs/discogs-client/browser';
Get the release data for a release with the id 176126.
let db = new DiscogsClient().database();
db.getRelease(176126).then(function ({ rateLimit, data }) {
console.log(data);
});
Set your own custom User-Agent. This is optional as when omitted it will set a default one with the value @lionralfs/discogs-client/x.x.x
where x.x.x
is the installed version of this library.
let client = new DiscogsClient({ userAgent: 'MyUserAgent/1.0' });
Get page 2 of USER_NAME's public collection showing 75 releases. The second param is the collection folder ID where 0 is always the "All" folder.
let col = new DiscogsClient().user().collection();
col.getReleases('USER_NAME', 0, { page: 2, per_page: 75 }).then(function ({ data }) {
console.log(data);
});
The API functions return a native JS Promise for easy chaining.
let db = client.database();
db.search({ query: 'dark side of the moon', type: 'master' })
.then(function ({ data }) {
return db.getMaster(data.results[0].id);
})
.then(function ({ data }) {
return db.getArtist(data.artists[0].id);
})
.then(function ({ data }) {
console.log(data.name);
});
User, artist and label profiles can be formatted in different ways: plaintext
, html
and discogs
. The client defaults to discogs
, but the output format can be set for each client instance.
// Set the output format to HTML
let client = new DiscogsClient().setConfig({ outputFormat: 'html' });
Just provide the client constructor with your preferred way of authentication.
// Authenticate by user token
let client = new DiscogsClient({ auth: { userToken: 'YOUR_USER_TOKEN' } });
// Authenticate by consumer key and secret
let client = new DiscogsClient({
auth: {
method: 'discogs',
consumerKey: 'YOUR_CONSUMER_KEY',
consumerSecret: 'YOUR_CONSUMER_SECRET',
},
});
The User-Agent can still be passed for authenticated calls.
let client = new DiscogsClient({
userAgent: 'MyUserAgent/1.0',
auth: { userToken: 'YOUR_USER_TOKEN' },
});
Below are the steps that involve getting a valid OAuth access token from Discogs.
let oAuth = new DiscogsOAuth('YOUR_CONSUMER_KEY', 'YOUR_CONSUMER_SECRET');
let { token, tokenSecret, authorizeUrl } = await oAuth.getRequestToken('https://your-domain.com/callback');
// store token and tokenSecret in a cookie for example
// redirect user to authorizeUrl
After redirection to the Discogs authorize URL in step 1, authorize the application.
// in the callback endpoint, capture the oauth_verifier query parameter
// use the token and tokenSecret from step 1 to get an access token/secret
let { accessToken, accessTokenSecret } = await oAuth.getAccessToken(token, tokenSecret, oauth_verifier);
Instantiate a new DiscogsClient class with the required auth arguments to make requests on behalf of the authenticated user.
let client = new DiscogsClient({
auth: {
method: 'oauth',
consumerKey: consumerKey,
consumerSecret: consumerSecret,
accessToken: accessToken,
accessTokenSecret: accessTokenSecret,
},
});
let response = await client.getIdentity();
console.log(response.data.username);
Discogs [paginates]() certain collections, as they would otherwise be too much to return for a single API call. You may use the page
and per_page
options in each call to query certain pages. If you don't pass these options, they fall back to the Discogs defaults, which are 1
and 50
respectively (the first 50 results on the first page).
In the result.data
object, you'll find a pagination
key, which contains some info returned by the Discogs API such as the total number of items and pages.
Here's a short example of how to use pagination arguments:
// retrieves an artist's releases (25 per page, 2nd page)
let result = await client.database().getArtistReleases(108713, { per_page: 25, page: 2 });
console.log(result.data.pagination);
// {
// page: 2,
// pages: 54,
// per_page: 25,
// items: 1331,
// urls: {
// first: 'https://api.discogs.com/artists/108713/releases?per_page=25&page=1',
// last: 'https://api.discogs.com/artists/108713/releases?per_page=25&page=54',
// prev: 'https://api.discogs.com/artists/108713/releases?per_page=25&page=1',
// next: 'https://api.discogs.com/artists/108713/releases?per_page=25&page=3'
// }
// }
The Discogs API imposes certain rate limits on consumers, varying in allowed calls per minute depending on your authentication status. The API responds with your current quota in HTTP headers for each API call. These are passed to you as a rateLimit
object on the response:
let response = await client.database().getArtistReleases(108713);
console.log(response.rateLimit); // → { limit: 25, used: 4, remaining: 21 }
The client implements exponential backoff when encountering Discogs-API responses with status code 429 Too Many Requests
. The exponential backoff can be configured via the following parameters:
client.setConfig({
exponentialBackoffIntervalMs: 2000,
exponentialBackoffMaxRetries: 5,
exponentialBackoffRate: 2.7,
});
Note: By default, the
exponentialBackoffMaxRetries
is 0, essentially turning off throttling.
The global library structure looks as follows:
new DiscogsClient() -> database()
-> getArtist
-> getArtistReleases
-> getRelease
-> getReleaseRating
-> setReleaseRating
-> getReleaseCommunityRating
-> getReleaseStats
-> getMaster
-> getMasterVersions
-> getLabel
-> getLabelReleases
-> search
-> marketplace()
-> getInventory
-> getListing
-> addListing
-> editListing
-> deleteListing
-> getOrders
-> getOrder
-> editOrder
-> getOrderMessages
-> addOrderMessage
-> getFee
-> getPriceSuggestions
-> getReleaseStats
-> inventory()
-> exportInventory
-> getExports
-> getExport
-> downloadExport
-> user()
-> getProfile
-> editProfile
-> getInventory
-> getIdentity
-> getContributions
-> getSubmissions
-> getLists
-> collection()
-> getFolders
-> getFolder
-> addFolder
-> setFolderName
-> deleteFolder
-> getReleases
-> getReleaseInstances
-> addRelease
-> editRelease
-> removeRelease
-> getFields
-> editInstanceNote
-> getValue
-> wantlist()
-> getReleases
-> addRelease
-> editNotes
-> removeRelease
-> list()
-> getItems
new DiscogsOAuth() -> getRequestToken
-> getAccessToken
MIT