A simple GitHub API library for JavaScript that works in both NodeJS and the browser. Features:
- Takes a request-level approach that naturally covers the entire GitHub v3 API.
- Supports the GraphQL v4 API.
- All requests return promises. (You may need to add a polyfill in the browser, depending on your target platforms.)
- Responses are (optionally) cached (segregated by user identity), and requests are conditional to save on bandwidth and request quota. Inspired by simple-github, octo, and octokit.
You need to ensure that an ES2015-compatible Promise
class is defined.
To enable caching, make sure that LRUCache is
loaded. It's installed by default for Node, but in the browser you need to load lru-cache.js
(perhaps from the Bower-compatible variant). Or
you can pass any other cache instance as an option to the constructor, as long as it has get
,
set
, and del
methods. If the cache is enabled Hubkit respects Cache-Control
headers on the response (that GitHub currently seems to set to 1 minute for all requests), and will return a potentially stale value from the cache unless you specify {fresh: true}
.
If you're fetching Hubkit via Bower, note that the superagent
dependency does not ship with browser-ready code. You'll need to make a dist build yourself via Browserify. Ironically, the npm
package for superagent
does include browser-ready code.
A simple REST example:
var gh = new Hubkit({
token: '123456890ABCDEF',
owner: 'pkaminski',
repo: 'hubkit'
});
gh.request('GET /repos/:owner/:repo/commits').then(console.log);
gh.request('GET /repos/:owner/:repo/git/commits/:sha', {sha: '09876abc'}).then(console.log);
gh.request('POST /repose/{owner}/{repo}/pulls', {body: {title: 'foo', head: 'bar', base: 'master'}});
And one for GraphQL:
// initialize gh as above
gh.graph(`
query ($after: String) {
search (type: ISSUE, first: 10, after: $after, query: `type: pr`) {
pageInfo {hasNextPage, endCursor},
nodes {
... on PullRequest {
number, title
}
}
}
}
`);
You issue requests exactly as documented in GitHub's REST API or
GraphQL API. For REST, path segments of the form :foo
or
{foo}
are interpolated from the options object passed as the second argument and defaulting to the
options object passed to the constructor. The method can be specified either together with the path,
or as a {method: 'GET'}
option (the inline one takes precedence, and GET
is the default if
nothing else is found).
GraphQL queries are first run through a preprocessor that lets you exclude clauses if the GHE version is too old or the user's authorization lacks a specific scope. This is useful since GraphQL forbids references to fields not in the schema, and GHE servers in the field are often months or years behind github.com
in that respect. To use this facility you need to include gheVersion
or scopes
properties in the options (see below) and form your query like this:
gh.graph(`
query ($owner: String!, $repo: String!, $number: Int!) {
repository (owner: $owner, name: $repo) {
pullRequest (number: $number) {
id, number, title,
#ghe(2.17) {
isDraft
#}
reviewRequests {
nodes {
requestedReviewer {
...on User {login, name}
#scope(read:org) {
...on Team {combinedSlug, name}
#}
}
}
}
}
}
}
`);
There are two ways to authenticate: either pass a token
to the options, or both a clientId
and
clientSecret
. Unauthenticated requests are fine too, of course.
Every call returns a Promise
. The returned values are exactly as documented in the GitHub API,
except that requests with option {boolean: true}
will return true
or false
instead (sorry, no
way to automate it). Note that for paged responses, all pages will be concatenated together into
the return value by default (see below).
After every request, you can access rateLimit
and rateLimitRemaining
(or searchRateLimit
and
searchRateLimitRemaining
if it's a search request, or graphRateLimit
and
graphRateLimitRemaining
if it's a GraphQL query) for the latest information on your GitHub
quotas, and oAuthScopes
to see what scopes your authorization entitles you to, on your metadata
object (see below) or on Hubkit
if you didn't set one.
You can augment a Hubkit instance by calling gh.scope({...moreOptions})
to return a new instance that combines both sets of options.
Valid options to pass (to the constructor or to each request), or to set on Hubkit.defaults
,
include:
token
: String token to use for authentication; takes precedence over other auth methods.clientId
andclientSecret
: For app-based anonymous authentication (increased API quotas without impersonating a user).userAgent
: The user-agent to present in requests. Uses the browser's user agent, orHubkit
in NodeJS.host
: The URL to prepend to all request paths; defaults tohttps://api.github.com
.graphHost
: The URL to use for all GraphQL requests; defaults to using the value ofhost
which works fine forgithub.com
, but you'll need to set a separate value when working with GitHub Enterprise.timeout
: The timeout in milliseconds to apply to the request; none by default. If the timeout is reached, the request will abort with an error that will have atimeout
attribute set to the value you provided.agent
: On NodeJS only, the agent to use for the HTTP connection, e.g. to do connection pooling. You may want to consider using agentkeepalive if you're making a lot of requests.cache
: An object withget
,set
, anddel
methods to be used as a cache for responses. The objects inserted into the cache will be of the form{value: {...}, eTag: 'abc123', status: 200, size: 1763}
. You can use the (approximate)size
field to help your cache determine when to evict items, but note that it tends to underestimate the actual size size of the object by 3-4x. The default cache is set to hold ~10MB of the measured bytes amount (so ~30-40MB of actual memory usage).fresh
: If true, force a request to be issued to the server even if a cache is in use and an unexpired value available. This is different from turning off the cache for the request since it can still make use of ETags and get a cheap 304 response in return.maxItemSizeRatio
: The maximum ratio of the size of any single item to the size of the cache, to avoid blowing away the entire cache with one huge item. The default is set to 0.1, limiting each item to at most 1/10th the max size of the cache.stats
: Reports the cache hit rate viahitRate
(number of items hit / total attempted) andhitSizeRate
(total size of items hit / total attempted) attributes. You canreset()
the stats to start counting from scratch again. A default instance is set onHubkit.defaults
but you can also assign anew Hubkit.Stats()
to aHubkit
instance if you prefer.immutable
: If true, indicates that the return value for this call is immutable, so if it's available in the cache it can be reused without sending a request to GitHub to check freshness.stale
: If true, any cached value is considered acceptable, even if it has expired.method
: The HTTP method to use for the request.media
: A GitHub-specific media type for the response content. Valid values are:- for comment bodies:
raw+json
(default),text+json
,html+json
,full+json
- for blobs:
json
(default),raw
- for commits, etc.:
diff
,patch
- for comment bodies:
body
: The contents of the request to send, typically a JSON-friendly object.variables
: For GraphQL queries, variables to pass to the server along with the query.responseType
: The XHR2 response type if you want to receive raw binary data; one oftext
,arraybuffer
,blob
, ordocument
. Only useful when fetching file blobs.perPage
: The number of items to return per page of response. Defaults to 100.allPages
: Whether to automatically fetch all pages by following thenext
links and concatenate the results before returning them. Defaults to true. If set to false and a result has more pages, you'll find anext()
function on the result that you can call to get a promise with the next page of items. This also works for GraphQL queries, as long as your query has a$after: String
parameter defined, and the results have a single top-level key withpageInfo {hasNextPage, endCursor}
andnodes
children.boolean
: If true, interprets a 404 as false and a 20x as true.metadata
: The object on which to set metadata found in the response headers. Defaults toHubkit
.ifNotFound
: A value to return instead of throwing an exception when the request results in a 404.ifGone
: A value to return instead of throwing an exception when the request results in a 410.onError
: A function to be called when an error occurs, either in the request itself or an unexpected 4xx or 5xx response. If it's an error response, the error object will havestatus
,method
,path
, andresponse
attributes. If the function returnsundefined
, the promise will be rejected as usual (or the request retried in some special cases, like socket hang ups and abuse quota 403s), if it returnsHubkit.RETRY
the request will be retried, if it returnsHubkit.DONT_RETRY
the promise will always be rejected, and if returns any other value the promise will be resolved with the returned value. If multiple onError handlers are assigned (e.g., in default options and in per-request options), they will all be executed, and the first non-undefined value from the most specific handler will be used.maxTries
: The maximum number of times that a request will be tried (including the original call) ifonError
keeps returningHubkit.RETRY
.onSend
: A function to be called before every individual request gets sent to GitHub. The sole argument will be a string indicating the reason for the request:initial
for the initial request,page
for an automatic next page request (if theallPages
option is on), andretry
for an explicit or automatic retry. The function can return a duration in milliseconds that will override the timeout provided in the options (if any). The function can also return a promise for the above, in which case the request will be held until the promise is resolved.gheVersion
: A string representing the version of the GitHub Enterprise server you're making calls to. You can retrieve it via a request to/meta
. Ignored if your host ishttps://api.github.com
(and all#ghe
preprocessing directives pass automatically). Otherwise, if a#ghe
directive is encountered andgheVersion
is not set then an error is thrown.scopes
: An array of strings representing all the scopes granted to the user's token. (Note that some scopes imply others, but Hubkit doesn't expand these internally — you might want to do so yourself.) If a#scope
directive is encountered andscopes
is not set then an error is thrown.