Browser asynchronous http requests

Overview

It's AJAX

All over again. Includes support for xmlHttpRequest, JSONP, CORS, and CommonJS Promises A.

It is also isomorphic allowing you to require('reqwest') in Node.js through the peer dependency xhr2, albeit the original intent of this library is for the browser. For a more thorough solution for Node.js, see mikeal/request.

API

reqwest('path/to/html', function (resp) {
  qwery('#content').html(resp)
})

reqwest({
    url: 'path/to/html'
  , method: 'post'
  , data: { foo: 'bar', baz: 100 }
  , success: function (resp) {
      qwery('#content').html(resp)
    }
})

reqwest({
    url: 'path/to/html'
  , method: 'get'
  , data: [ { name: 'foo', value: 'bar' }, { name: 'baz', value: 100 } ]
  , success: function (resp) {
      qwery('#content').html(resp)
    }
})

reqwest({
    url: 'path/to/json'
  , type: 'json'
  , method: 'post'
  , error: function (err) { }
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
})

reqwest({
    url: 'path/to/json'
  , type: 'json'
  , method: 'post'
  , contentType: 'application/json'
  , headers: {
      'X-My-Custom-Header': 'SomethingImportant'
    }
  , error: function (err) { }
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
})

// Uses XMLHttpRequest2 credentialled requests (cookies, HTTP basic auth) if supported
reqwest({
    url: 'path/to/json'
  , type: 'json'
  , method: 'post'
  , contentType: 'application/json'
  , crossOrigin: true
  , withCredentials: true
  , error: function (err) { }
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
})

reqwest({
    url: 'path/to/data.jsonp?callback=?'
  , type: 'jsonp'
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
})

reqwest({
    url: 'path/to/data.jsonp?foo=bar'
  , type: 'jsonp'
  , jsonpCallback: 'foo'
  , jsonpCallbackName: 'bar'
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
})

reqwest({
    url: 'path/to/data.jsonp?foo=bar'
  , type: 'jsonp'
  , jsonpCallback: 'foo'
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
  , complete: function (resp) {
      qwery('#hide-this').hide()
    }
})

Promises

reqwest({
    url: 'path/to/data.jsonp?foo=bar'
  , type: 'jsonp'
  , jsonpCallback: 'foo'
})
  .then(function (resp) {
    qwery('#content').html(resp.content)
  }, function (err, msg) {
    qwery('#errors').html(msg)
  })
  .always(function (resp) {
    qwery('#hide-this').hide()
  })
reqwest({
    url: 'path/to/data.jsonp?foo=bar'
  , type: 'jsonp'
  , jsonpCallback: 'foo'
})
  .then(function (resp) {
    qwery('#content').html(resp.content)
  })
  .fail(function (err, msg) {
    qwery('#errors').html(msg)
  })
  .always(function (resp) {
    qwery('#hide-this').hide()
  })
var r = reqwest({
    url: 'path/to/data.jsonp?foo=bar'
  , type: 'jsonp'
  , jsonpCallback: 'foo'
  , success: function () {
      setTimeout(function () {
        r
          .then(function (resp) {
            qwery('#content').html(resp.content)
          }, function (err) { })
          .always(function (resp) {
             qwery('#hide-this').hide()
          })
      }, 15)
    }
})

Options

  • url a fully qualified uri
  • method http method (default: GET)
  • headers http headers (default: {})
  • data entity body for PATCH, POST and PUT requests. Must be a query String or JSON object
  • type a string enum. html, xml, json, or jsonp. Default is inferred by resource extension. Eg: .json will set type to json. .xml to xml etc.
  • contentType sets the Content-Type of the request. Eg: application/json
  • crossOrigin for cross-origin requests for browsers that support this feature.
  • success A function called when the request successfully completes
  • error A function called when the request fails.
  • complete A function called whether the request is a success or failure. Always called when complete.
  • jsonpCallback Specify the callback function name for a JSONP request. This value will be used instead of the random (but recommended) name automatically generated by reqwest.

Security

If you are still requiring support for IE6/IE7, consider including JSON3 in your project. Or simply do the following

<\/scr' + 'ipt>') } }()); ">
<script>
(function () {
  if (!window.JSON) {
    document.write(' + 'ipt src="http://cdnjs.cloudflare.com/ajax/libs/json3/3.3.2/json3.min.js"><\/scr' + 'ipt>')
  }
}());
script>

Contributing

$ git clone git://github.com/ded/reqwest.git reqwest
$ cd !$
$ npm install

Please keep your local edits to src/reqwest.js. The base ./reqwest.js and ./reqwest.min.js will be built upon releases.

Running Tests

make test

Browser support

  • IE6+
  • Chrome 1+
  • Safari 3+
  • Firefox 1+
  • Opera

Ender Support

Reqwest can be used as an Ender module. Add it to your existing build as such:

$ ender add reqwest

Use it as such:

$.ajax({ ... })

Serialize things:

$(form).serialize() // returns query string -> x=y&...
$(form).serialize({type:'array'}) // returns array name/value pairs -> [ { name: x, value: y}, ... ]
$(form).serialize({type:'map'}) // returns an object representation -> { x: y, ... }
$(form).serializeArray()
$.toQueryString({
    foo: 'bar'
  , baz: 'thunk'
}) // returns query string -> foo=bar&baz=thunk

Or, get a bit fancy:

$('#myform input[name=myradios]').serialize({type:'map'})['myradios'] // get the selected value
$('input[type=text],#specialthing').serialize() // turn any arbitrary set of form elements into a query string

ajaxSetup

Use the request.ajaxSetup to predefine a data filter on all requests. See the example below that demonstrates JSON hijacking prevention:

$.ajaxSetup({
  dataFilter: function (response, type) {
    if (type == 'json') return response.substring('])}while(1);'.length)
    else return response
  }
})

RequireJs and Jam

Reqwest can also be used with RequireJs and can be installed via jam

jam install reqwest
define(function(require){
  var reqwest = require('reqwest')
});

spm

Reqwest can also be installed via spm

spm install reqwest

jQuery and Zepto Compatibility

There are some differences between the Reqwest way and the jQuery/Zepto way.

method

jQuery/Zepto use type to specify the request method while Reqwest uses method and reserves type for the response data type.

dataType

When using jQuery/Zepto you use the dataType option to specify the type of data to expect from the server, Reqwest uses type. jQuery also can also take a space-separated list of data types to specify the request, response and response-conversion types but Reqwest uses the type parameter to infer the response type and leaves conversion up to you.

JSONP

Reqwest also takes optional jsonpCallback and jsonpCallbackName options to specify the callback query-string key and the callback function name respectively while jQuery uses jsonp and jsonpCallback for these same options.

But fear not! If you must work the jQuery/Zepto way then Reqwest has a wrapper that will remap these options for you:

reqwest.compat({
    url: 'path/to/data.jsonp?foo=bar'
  , dataType: 'jsonp'
  , jsonp: 'foo'
  , jsonpCallback: 'bar'
  , success: function (resp) {
      qwery('#content').html(resp.content)
    }
})

// or from Ender:

$.ajax.compat({
  ...
})

If you want to install jQuery/Zepto compatibility mode as the default then simply place this snippet at the top of your code:

$.ajax.compat && $.ender({ ajax: $.ajax.compat });

Happy Ajaxing!

Comments
  • Make reqwest client/server agnostic

    Make reqwest client/server agnostic

    Right now, trying to use reqwest from Node results in this error:

    > var reqwest = require("reqwest")
    ReferenceError: window is not defined
        at ./node_modules/reqwest/reqwest.js:13:13
        at win (./node_modules/reqwest/reqwest.js:8:72)
        at Object.<anonymous> (./node_modules/reqwest/reqwest.js:11:2)
        at Module._compile (module.js:449:26)
        at Object.Module._extensions..js (module.js:467:10)
        at Module.load (module.js:349:32)
        at Function.Module._load (module.js:305:12)
        at Module.require (module.js:357:17)
        at require (module.js:373:17)
        at repl:1:15
    

    Given that there are projects to provide the XHR interface in Node, making reqwest isomorphic should be as simple as abstracting out the implicit use of globals like window and document.

    opened by appsforartists 17
  • Be able to pass an object of data

    Be able to pass an object of data

    For example, when I make a post request, it would be nice to be able to pass an object of values for the request. Similar to the way jQuery handles this.

    It looks like right now I can pass in data, but it must be a string with key/values.

    opened by dawnerd 17
  • Encode request data as JSON when Content-Type is set to application/json

    Encode request data as JSON when Content-Type is set to application/json

    When the the Content-Type header of a request is set to application/json shouldn't the request data be converted to a JSON string using JSON.stringify?

    Currently I'm sending my requests like this:

    reqwest({
        url: '/api/v1/user',
        type: 'json',
        method: 'post',
        contentType: 'application/json',
        processData: false,
        data: JSON.stringify({
            first_name: 'John',
            last_name: 'Doe'
        })
    });
    

    But it would be easier if I could do this:

    reqwest({
        url: '/api/v1/user',
        type: 'json',
        method: 'post',
        contentType: 'application/json',
        data: {
            first_name: 'John',
            last_name: 'Doe'
        }
    });
    
    opened by jonkoops 13
  • Borks on an HTTP 204 response

    Borks on an HTTP 204 response

    If the server sends a 204 status code, Reqwest raises an exception:

    reqwest("/204") // https://gist.github.com/jalada/fda3dc2d14d05efe97ba
    
    Uncaught TypeError: Cannot read property 'match' of null  reqwest.js:239
      setType                                                 reqwest.js:239
      success                                                 reqwest.js:300
      (anonymous function)                                    reqwest.js:85
    
    opened by jalada 12
  • Tests aren't working?

    Tests aren't working?

    I'm trying to run tests before working on reqwest and I can't get tests to succeed. Is it my setup that isn't working?

    opening tests at http://localhost:1234
    writing file: ./node_modules/sink-test/src/sink.css./node_modules/sink-test/src/sink
    Error: EBADF, Bad file descriptor './/node_modules/sink-test/src/sink.css./node_modules/sink-test/src/sink'
        at Object.openSync (fs.js:221:18)
        at Object.readFileSync (fs.js:112:15)
        at /Users/pothibo/Develop/reqwest/make/tests.js:29:20
        at /Users/pothibo/Develop/reqwest/node_modules/dispatch/lib/dispatch.js:67:26
        at Array.some (native)
        at Object.handle (/Users/pothibo/Develop/reqwest/node_modules/dispatch/lib/dispatch.js:63:22)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:203:15)
        at Object.query [as handle] (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/middleware/query.js:38:5)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:203:15)
        at HTTPServer.handle (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:216:3)
    Error: Can't set headers after they are sent.
        at ServerResponse.<anonymous> (http.js:527:11)
        at ServerResponse.setHeader (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/patch.js:62:20)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:165:13)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:212:9)
        at Object.query [as handle] (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/middleware/query.js:38:5)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:203:15)
        at HTTPServer.handle (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:216:3)
        at HTTPServer.emit (events.js:67:17)
        at HTTPParser.onIncoming (http.js:1134:12)
        at HTTPParser.onHeadersComplete (http.js:108:31)
    
    http.js:527
        throw new Error("Can't set headers after they are sent.");
              ^
    Error: Can't set headers after they are sent.
        at ServerResponse.<anonymous> (http.js:527:11)
        at ServerResponse.setHeader (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/patch.js:62:20)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:165:13)
        at next (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:212:9)
        at HTTPServer.handle (/Users/pothibo/Develop/reqwest/node_modules/connect/lib/http.js:216:3)
        at HTTPServer.emit (events.js:67:17)
        at HTTPParser.onIncoming (http.js:1134:12)
        at HTTPParser.onHeadersComplete (http.js:108:31)
        at Socket.ondata (http.js:1029:22)
        at Socket._onReadable (net.js:677:27)
    npm ERR! [email protected] test: `node make/tests.js`
    npm ERR! `sh "-c" "node make/tests.js"` failed with 1
    npm ERR! 
    npm ERR! Failed at the [email protected] test script.
    npm ERR! This is most likely a problem with the reqwest package,
    npm ERR! not with npm itself.
    npm ERR! Tell the author that this fails on your system:
    npm ERR!     node make/tests.js
    npm ERR! You can get their info via:
    npm ERR!     npm owner ls reqwest
    npm ERR! There is likely additional logging output above.
    npm ERR! 
    npm ERR! System Darwin 11.2.0
    npm ERR! command "node" "/usr/local/bin/npm" "test"
    npm ERR! cwd /Users/pothibo/Develop/reqwest
    npm ERR! node -v v0.4.12
    npm ERR! npm -v 1.0.94
    npm ERR! code ELIFECYCLE
    npm ERR! 
    npm ERR! Additional logging details can be found in:
    npm ERR!     /Users/pothibo/Develop/reqwest/npm-debug.log
    npm not ok
    
    opened by pier-oliviert 12
  • jQuery compat

    jQuery compat

    Hi!

    Seems there exist some compat issues preventing use of this $.ajax, at first glance:

    Reqwest: method, type, headers, headers['Content-Type'], none, none

    jQuery : type, dataType, none, contentType, onBeforeSend(), ?callback=

    How'd you suggest to normalize?

    TIA, --Vladimir

    opened by dvv 10
  • Using reqwest with browserify

    Using reqwest with browserify

    Hi,

    I installed reqwest with npm and I am building my assets with browserify and when I require reqwest it try to require xhr2 because it asumes it runs on node .

    Is there any workaround? (right now I am targeting to "^1.1.4" to make it work).

    Thanks

    opened by glena 9
  • Why is the default type 'js'?

    Why is the default type 'js'?

    in setType (link), if the developer doesn't set a type when using reqwest, it defaults to js. I'm curious as to why it's that, instead of html or json?

    The reason I ask is this tripped me up today and I kept getting an Unexpected token : error until I specified the type I wanted to return was json. Just curious why it's js in particular.

    h5's.

    opened by connor 9
  • context undefined when using webpack

    context undefined when using webpack

    While using Auth0-js library that has reqwest as a dependency I get this error: Uncaught TypeError: Cannot use 'in' operator to search for 'window' in undefined.

    I'm using webpack in my setup with following config:

    const path = require('path');
    const webpack = require('webpack');
    const isProduction = process.argv.indexOf('-p') !== -1;
    
    
    module.exports = {
      context: path.resolve(__dirname, './src'),
      devtool: 'source-map',
      entry: {
        app: './app.js',
      },
      output: {
        filename: '[name].bundle.js',
        path: path.resolve(__dirname, './dist/assets'),
        publicPath: '/assets',
      },
      
      devServer: {
        contentBase: path.resolve(__dirname, './dist'),
      },
      performance: {
        hints: false,
      },
    
      module: {
        rules: [
          {
            test: /\.js$/,
            use: [{
              loader: 'babel-loader',
              options: { presets: ['react', 'es2015', 'babel-preset-stage-0'] }
            }],
          },
          {
            test: /\.(sass|scss)$/,
            use: ['style-loader', 'css-loader', 'sass-loader'],
          },
        ],
      },
    
      plugins: [
        new webpack.DefinePlugin({
          'process.env': {
            'NODE_ENV': (isProduction) ? '"production"' : '""'
          }
        })
      ]
    
    };
    

    If I understand correctly, this on line 13 in reqwest.js is undefined because reqwest module is imported using webpack in a closure. Changing the line 13 in reqwest.js from var context = this to var context = this || window || {} fixes the issue. Do I have wrong configuration of webpack, or is reqwest module incorrectly defined? Thanks.

    opened by ondrejrohon 8
  • Remove eval() calls

    Remove eval() calls

    The eval calls should be removed from the library. Using eval can potentially expose cross-site scripting vulnerabilities. Remove eval from the built-in success function and have the user consciously call it himself inside his own success function if required.

    An alternative is to have a response type called "eval" and definitely not have this defaulted. Eval is bad!

    opened by lewisdiamond 8
  • Enable timeout support for JSONP requests

    Enable timeout support for JSONP requests

    Return a dummy object from handleJsonp() that contains only an abort() method which calls the err function that's already passed to handleJsonp().

    That's all we need for the normal timeout to work w/ JSONP requests.

    opened by runningskull 8
  • Fix unsafe of

    Fix unsafe of "this" inside module initialization (TypeError: Cannot use 'in' operator to search for 'window' in undefined)

    when using esbuild with vite. this file generates an exception.

    TypeError: Cannot use 'in' operator to search for 'window' in undefined
        at reqwest.js:15
        at reqwest.js:8
        at ../node_modules/reqwest/reqwest.js (reqwest.js:10)
        at __require2 (chunk-RDZ5XA5N.js?v=dde87764:17)
        at ../node_modules/auth0-js/index.js (index.js:14)
        at __require2 (chunk-RDZ5XA5N.js?v=dde87764:17)
        at dep:auth0-js:1
    

    this is how it looks like when compiled with esbuild+vite. "this" is now referencing a different context than the intended window. image

    using global this will make it more robust. https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/globalThis

    opened by AlonMiz 0
  • CORS error when trying to get google geocoding

    CORS error when trying to get google geocoding

    Hi,

    I'm trying to create a function on my site that will enable a user to click a button, and then search based on their location. I'm trying to use Googles geocoder feature:

                    navigator.geolocation.getCurrentPosition(function(position) {
    
                        reqwest({
                            url: 'https://maps.googleapis.com/maps/api/geocode/json',
                            type: 'json',
                            method: 'post',
                            data: { latlng: position.coords.latitude + "," + position.coords.longitude, key: 'xxxx' },
                            error: function (err) { },
                            success: function (data) {
    
                                console.dir(data)
    
                            }
                        });
    
                    });
    

    This tries to run, but I get an error thrown back:

    Access to XMLHttpRequest at 'https://maps.googleapis.com/maps/api/geocode/json' from origin 'https://m.mysite.org' has been blocked by CORS policy: Response to preflight request doesn't pass access control check: It does not have HTTP ok status.

    The headers are correct as far as I can see:

    https://ibb.co/pxNGGKd

    Any ideas what to try next?

    Thanks

    Andy

    opened by youradds 4
  • No err was throwed when network  disconnected

    No err was throwed when network disconnected

    reqwest(reqParams).then( (res: IResponse = {}) => { td = Date.now() - ts; resolve({ tinem: moment().format('HH:mm:ss'), msg: res.resultMsg || 'OK', delay: td }); }, (error: any) => { td = Date.now() - ts; reject({ time: moment().format('HH:mm:ss'), msg: error.resultMsg || 'Network disconnected!', delay: td, }); } );

    When I use to like this, the network disconnect won't trigger an exception. And scan the source code, I find that there doesn't have a 'try-catch' or 'throw' as follows: function handleJsonp(o, fn, err, url) { ... // Add the script to the DOM head head.appendChild(script) // error happens, but not handle ... } }

    opened by BuggMaker 0
Owner
Dustin Diaz
Head of Engineering at ItsGood
Dustin Diaz
A set of APIs for handling HTTP and HTTPS requests with Deno 🐿️ 🦕

oak commons A set of APIs that are common to HTTP/HTTPS servers. HTTP Methods (/method.ts) A set of APIs for dealing with HTTP methods. Content Negoti

oak 7 May 23, 2022
nodejs load balancing app to distribute http requests evenly across multiple servers.

load-balancer-nodejs nodejs load balancing app to distribute http requests evenly across multiple servers. How to use ? Please edit the file 'config.j

Abdi Syahputra Harahap 13 Nov 7, 2022
Straightforward interactive HTTP requests from within your Alpine.JS markup

Alpine Fetch Straightforward interactive HTTP requests from within your Alpine.JS markup. View the live demo here What does this do? Alpine.JS is a ru

null 29 Dec 21, 2022
📡Usagi-http-interaction: A library for interacting with Http Interaction API

?? - A library for interacting with Http Interaction API (API for receiving interactions.)

Rabbit House Corp 3 Oct 24, 2022
Cypress commands are asynchronous. It's a common pattern to use a then callback to get the value of a cypress command

cypress-thenify Rationale Cypress commands are asynchronous. It's a common pattern to use a then callback to get the value of a cypress command. Howev

Mikhail Bolotov 15 Oct 2, 2022
A declarative way of doing asynchronous programing with Typescript.

Deasyncify A declarative way of doing asynchronous programing with Typescript. Overview Getting started Issues Installation Usage Methods watch watchA

Joseph Tsegen 4 Jun 19, 2022
A table component for your Mantine data-rich applications, supporting asynchronous data loading, column sorting, custom cell data rendering, row context menus, dark theme, and more.

Mantine DataTable A "dark-theme aware" table component for your Mantine UI data-rich applications, featuring asynchronous data loading support, pagina

Ionut-Cristian Florescu 331 Jan 4, 2023
In this project I'll use Asynchronous Javascript to call an API and set the leaderboard of the best players.

Leaderboard Project In this project I'll use Asynchronous Javascript to call an API and set the leaderboard of the best players. The main goals of thi

Oscar Fernández Muñoz 4 Oct 17, 2022
Promise based HTTP client for the browser and node.js

axios Promise based HTTP client for the browser and node.js New axios docs website: click here Table of Contents Features Browser Support Installing E

axios 98k Jan 5, 2023
Automagically bypass hcaptcha challenges with http api, with puppeteer, selenium, playwright browser automation scripts to bypass hCaptcha programmatically

Automagically bypass hcaptcha challenges with http api, with puppeteer, selenium, playwright browser automation scripts to bypass hCaptcha programmatically. For help you can message on discord server with the bellow link. You can also create an issue.

Shimul 199 Jan 2, 2023
Example CRUD API for API Fest'22. See Pull Requests for chapter 2 and 3

Example CRUD API for API Fest'22. See Pull Requests for chapter 2 and 3

Postman Student Program 6 Mar 2, 2022
PrivacyBot - A simple automated service to initiate CCPA deletion requests with databrokers

PROJECT NO LONGER SUPPORTED As of 9.28.21 this project has been depreciated and Google Oauth verification is not supported. You can still run the tool

null 516 Jan 3, 2023
🚀 Send a load of requests with nodejs using cluster and with/without Tor for anonymisation 🙈

Accumulator ?? Send a load of requests with nodejs using cluster and with/without Tor for anonymisation ?? ⚠️ Disclamer, This repo has been created fo

Adrien de Peretti 7 Nov 21, 2022
Automate adding issues and pull requests to GitHub projects (beta)

actions/add-to-project Use this action to automatically add the current issue or pull request to a GitHub project. Note that this is for GitHub projec

GitHub Actions 293 Jan 3, 2023
A peroidic-table api built with Nodejs & Mongodb to help make frontend requests dealing with chemistry...

A peroidic-table api for frontend apps Usage Example (GET all elements) // GET /api/elements const ajio = require("ajio") ajio.baseUrl("https://apis-

John Daniels 3 May 24, 2022
Employee Management System is a web application developed using Django(Backend) which manages the record of employees, their salary, attendance. publish public notices, assign works to employees, make requests to employees.

Employee_Management_System Employee Management System is a web application developed using Django(Backend) which manages the record of employees, thei

Preet Nandasana 7 Dec 16, 2022
Helper package to handle requests to a jschan api instance.

jschan-api-sdk Helper package to handle requests to a jschan api instance. How to use npm install ussaohelcim/jschan-api-sdk const { jschan } = requir

Michell 3 Jun 30, 2022
This private repository generates the URL and requests to PACS for DICOMweb WADO-RS/URI.

CSY-DICOMweb-WADO-RS-URI This private repository generates the URL and requests to PACS for DICOMweb WADO-RS/URI. DICOM WADO DICOMweb WADO-RS https://

null 4 Aug 2, 2022
Tool for GitHub/GitLab to keep Repositories/Projects you are interested in and their Pull/Merge Requests in desktop Tray Menu

Tool for GitHub/GitLab to keep Repositories/Projects you are interested in and their Pull/Merge Requests in desktop Tray Menu. More info in User Guide.

Oleksii Bilyk 5 Jul 31, 2022