@nauverse/make-url v1.10.17
tl;dr
If you just want to try and you don't want to read this guide right now (although you should in the future if you decide to use the library), you can start quickly by:
1. Installing the dependency:
npm install --save @nauverse/make-url2. Checking this example of use:
import { makeURL } from "@nauverse/make-url";
makeURL("https://api.example.com/", "/:id/:param2/:id///", {
params: {
id: 1,
param2: "678"
}
});
// https://api.example.com/1/678/1I added too many slashes intentionally to showcase they can be removed automatically (you also have an option to disable that)
If you want to see more examples, jump to here.
3. You are done! 🪄
Feel free to test and explore and if later on you need more guidance, read the whole guide and ask in the GitHub repo.
What?
make-url is heavily inspired in the awesome urlcat. It is a tiny JavaScript library that makes building URLs very convenient and prevents common mistakes. It is fully type-safe and highly configurable.
Features
Why?
When a dev wants to call an API or build an URL, they must make sure to check lots of things: adding parameters in the URL path, adding query parameters, maybe adding hash parameters, making sure it is a valid URL, mayberemoving trailing slashes and much, much more:
const API_URL = 'https://api.example.com/';
function getUserPosts(id, blogId, limit, offset) {
const requestUrl = `${API_URL}/users/${id}/blogs/${blogId}/posts?limit=${limit}&offset=${offset}`;
// send HTTP request
}As you can see, this minimal example is already rather hard to read. It is also incorrect:
- I forgot that there was a trailing slash at the end of the
API_URLconstant so this resulted in a URL containing duplicate slashes (https://api.example.com//users). - The embedded values need to be escaped using
encodeURIComponent
I can use the built-in URL class to prevent duplicate slashes and URLSearchParams to escape the query string. But I still need to escape all path parameters manually.
const API_URL = 'https://api.example.com/';
function getUserPosts(id, blogId, limit, offset) {
const escapedId = encodeURIComponent(id);
const escapedBlogId = encodeURIComponent(blogId);
const path = `/users/${escapedId}/blogs/${escapedBlogId}`;
const url = new URL(path, API_URL);
url.search = new URLSearchParams({ limit, offset });
const requestUrl = url.href;
// send HTTP request
}Something like that should be an easy task, but it can be a real pain. That is why this library exists.
And you might wonder: why, if you are inspired in urlcat, don't just use that library?
Well, that library allows you to generate complete URLs with some protections but... it was not enough safe for me (and I also needed to support other URL formats like relative URLs).
const API_URL = 'https://api.example.com/';
const SOME_SLUG = 'hey';
function getUserPosts(id, limit, offset) {
const requestUrl = makeURL('api.example.com', SOME_SLUG, 'users/:id/posts', {
params: {
id,
limit,
offset
}
});
// The URL will be:
// https://api.example.com/hey/users/<id_value>/?limit=<limit_value>&offset=<offset_value>
// send HTTP request
}How?
Install
Currently, the package is distributed via NPM.
npm install --save @nauverse/make-urlUsage with Node
Node 18 and above are officially supported, though you may have luck using it with an earlier Node version.
Since the code uses the URL and URLSearchParams classes internally, which aren't available below Node v10, the library is known not to work with those versions.
The package comes with CJS and ESM modules.
TypeScript
This library provides its own type definitions. "It just works", no need to install anything from @types.
Guide and examples
A good contribution for this repo would be a more detailed guide about how to use it.
The most important function that this package offers is makeURL.
You can call with with any amount of string values and optionally at the end with a config object.
A config object has the following interface:
export interface IParams {
params: Record<string, unknown>;
hash: string;
config: {
forceProtocol: "http" | "https" | "none" | "auto" | "auto-insecure";
trailingSlash: "add" | "remove";
strict: boolean;
allowEmptyPathSegments: boolean;
arraySerializer: "stringify" | "repeat" | "comma";
};
}Every field in the object is optional.
params is an optional object that contains key-value pairs. If in the generated URL is there any match of :<key>, being <key> any of the keys in that object, the matches will be replaced with the value of their respective keys.
If they are not replaced in the URL, they will be added to the URL as query parameters.
Let's see some examples:
makeURL with only query parameters
makeURL("https://example.com", {
params: {
id: 12,
name: "test"
}
});
// https://example.com?id=12&name=testmakeURL with query parameters and also URL params
makeURL("https://example.com", ":id/", {
params: {
id: 12,
name: "test"
}
});
// https://example.com/12?name=testNotice that the
paramsvalues can be of any type. I used in the examplesstringandnumbertypes, but you can use anything (including objects) and it will be always safely casted. Don't worry if the string contains invalid characters, everything is safely encoded in this library!
hash is another optional field containg a string.
Don't worry if the string contains invalid characters, everything is safely encoded in this library!
Let's see one example:
makeURL with a hash parameter
makeURL("https://example.com", {
hash: "test"
});
// https://example.com#testNow it is time to talk about the config object.
allowEmptyPathSegments
By default, it is set to
false
This setting is made to support the RFC 3986. That RFC allows empty path segments in URLs (for example, https://example.com//users////2).
By default, this library has this option disabled but you can enable it in any function call you need it or globally by using the setMakeURLDefaultConfig function.
Some examples:
makeURL with allowEmptyPathSegments: true
makeURL("https://example.com", "//test///a", {
config: {
allowEmptyPathSegments: true
}
});
// https://example.com//test///amakeURL with allowEmptyPathSegments: false
makeURL("https://example.com", "//test///a", {
config: {
allowEmptyPathSegments: false
}
});
// https://example.com/test/aarraySerializer
By default, it is set to
repeat
Arrays are a special kind of data, specially when sending them as query parameters to the server. There are many ways to handle them and we try to support all of them.
The default mode used is repeat but you can change it in any function call you need it or globally by using the setMakeURLDefaultConfig function.
There are three possible values: repeat, comma and stringify. Each of them specify how to handle the arrays. Let's see some examples:
makeURL with arraySerializer: 'repeat'
makeURL("https://example.com", "/test", {
params: {
arr: ['a', 'b', 'c']
},
config: {
arraySerializer: 'repeat'
}
});
// https://example.com/test?arr=a&arr=b&arr=cmakeURL with arraySerializer: 'stringify'
makeURL("https://example.com", "/test", {
params: {
arr: ['a', 'b', 'c']
},
config: {
arraySerializer: 'repeat'
}
});
// https://example.com/test?arr=%5B%22a%22%2C%22b%22%2C%22c%22%5DmakeURL with arraySerializer: 'comma'
makeURL("https://example.com", "/test", {
params: {
arr: ['a', 'b', 'c']
},
config: {
arraySerializer: 'comma'
}
});
// https://example.com/test?arr=a%2Cb%2CcImportant: Arrays are not supported for URL variables (no matter the
modeyou use), so they won't be replaced there but added as a query parameter. See one example below:makeURL with
arraySerializer: 'comma'with array as URL variablemakeURL("https://example.com", "/test/:arr", { params: { arr: ['a', 'b', 'c'] }, config: { arraySerializer: 'comma' } }); // https://example.com/test/:arr?arr=a%2Cb%2Cc <- Notice that we can not replace arrays in URL variables
trailingSlash
By default, it is set to
add
Some servers expect trailing slashes, some does not support it. With this setting, you can configure the behaviour however you want.
By default, this library has this option set to remove but you can change it in any function call you need it or globally by using the setMakeURLDefaultConfig function.
It has two possible values: add and remove.
Some examples:
makeURL with trailingSlash: 'add'
makeURL("https://example.com", "/test/a", {
config: {
trailingSlash: 'add'
}
});
// https://example.com/test/a/makeURL with trailingSlash: 'remove'
makeURL("https://example.com", "/test/a/", {
config: {
trailingSlash: 'remove'
}
});
// https://example.com/test/aforceProtocol
By default, it is set to
auto
It has 5 possible values: http, https, none, auto, auto-insecure.
http will always add the http:// to the URL if it does not contain a protocol, without checking if the URL is a full URL, a relative one or an absolute one:
makeURL with forceProtocol: 'http' and a full URL without protocol
makeURL("example.com", "/test/a", {
config: {
forceProtocol: 'http'
}
});
// http://example.com/test/amakeURL with forceProtocol: 'http' and a full URL with protocol
makeURL("https://example.com", "/test/a", {
config: {
forceProtocol: 'http'
}
});
// https://example.com/test/amakeURL with forceProtocol: 'http' and a relative URL
makeURL("test/a", {
config: {
forceProtocol: 'http'
}
});
// http://test/amakeURL with forceProtocol: 'http' and an absolute URL
makeURL("/test/a", {
config: {
forceProtocol: 'http'
}
});
// http://test/aThis means you should only use
forceProtocol: 'http'if you are 100% sure the URLs you will build with that function will be always full URLs. If not, you should useauto,auto-insecureornone.
https will always add the https:// to the URL if it does not contain a protocol, without checking if the URL is a full URL, a relative one or an absolute one:
makeURL with forceProtocol: 'https' and a full URL without protocol
makeURL("example.com", "/test/a", {
config: {
forceProtocol: 'https'
}
});
// https://example.com/test/amakeURL with forceProtocol: 'https' and a full URL with protocol
makeURL("http://example.com", "/test/a", {
config: {
forceProtocol: 'https'
}
});
// http://example.com/test/amakeURL with forceProtocol: 'https' and a relative URL
makeURL("test/a", {
config: {
forceProtocol: 'https'
}
});
// https://test/amakeURL with forceProtocol: 'https' and an absolute URL
makeURL("/test/a", {
config: {
forceProtocol: 'https'
}
});
// https://test/aThis means you should only use
forceProtocol: 'https'if you are 100% sure the URLs you will build with that function will be always full URLs. If not, you should useauto,auto-insecureornone.
none will not add any protocol to the URL, no matter if it has one, it doesn't have one, it is a full URL, it is a relative URL, an absolute one...:
makeURL with forceProtocol: 'none' and a full URL without protocol
makeURL("example.com", "/test/a", {
config: {
forceProtocol: 'none'
}
});
// example.com/test/amakeURL with forceProtocol: 'none' and a full URL with protocol
makeURL("https://example.com", "/test/a", {
config: {
forceProtocol: 'none'
}
});
// https://example.com/test/amakeURL with forceProtocol: 'none' and a relative URL
makeURL("test/a", {
config: {
forceProtocol: 'none'
}
});
// test/amakeURL with forceProtocol: 'none' and an absolute URL
makeURL("/test/a", {
config: {
forceProtocol: 'none'
}
});
// /test/aauto is the safe and smart option. It will add the https:// protocol if the generated URL is a full URL (containing a domain) and it doesn't have already a protocol. In any other case, it won't add anything to it. This is the recommened mode in production if you want to have something to "set and forget":
makeURL with forceProtocol: 'auto' and a full URL without protocol
makeURL("example.com", "/test/a", {
config: {
forceProtocol: 'auto'
}
});
// https://example.com/test/amakeURL with forceProtocol: 'auto' and a full URL with protocol
makeURL("http://example.com", "/test/a", {
config: {
forceProtocol: 'auto'
}
});
// http://example.com/test/amakeURL with forceProtocol: 'auto' and a relative URL
makeURL("test/a", {
config: {
forceProtocol: 'auto'
}
});
// test/amakeURL with forceProtocol: 'auto' and an absolute URL
makeURL("/test/a", {
config: {
forceProtocol: 'auto'
}
});
// /test/aauto-insecure is an alternative smart option to auto. It will add the http:// protocol if the generated URL is a full URL (containing a domain) and it doesn't have already a protocol. In any other case, it won't add anything to it.
It is called insecure not because it is not safe to use but because it uses the http protocol, so I prefer to make it noticeable for the devs.
makeURL with forceProtocol: 'auto-insecure' and a full URL without protocol
makeURL("example.com", "/test/a", {
config: {
forceProtocol: 'auto-insecure'
}
});
// http://example.com/test/amakeURL with forceProtocol: 'auto-insecure' and a full URL with protocol
makeURL("https://example.com", "/test/a", {
config: {
forceProtocol: 'auto-insecure'
}
});
// https://example.com/test/amakeURL with forceProtocol: 'auto-insecure' and a relative URL
makeURL("test/a", {
config: {
forceProtocol: 'auto-insecure'
}
});
// test/amakeURL with forceProtocol: 'auto-insecure' and an absolute URL
makeURL("/test/a", {
config: {
forceProtocol: 'auto-insecure'
}
});
// /test/aAlthough it is not recommended to use
httpin production; if you want to useautoin your local environment and you have issues with thehttps, you could use a setting like:forceProtocol: process.env.NODE_ENV === "production" ? "auto" : "auto-insecure"
strict
By default, it is set to
false
It is a boolean, so it can be true or false. I set it to false by default to provide the most flexible option by default.
This option enforces that the final URL string you get from calling makeURL is a totally valid complete URL (like https://example.com/my/path/). If it is not, it will throw an error, so you can catch it and handle the exception.
The drawback is that relative and absolute URLs won't work with this option set to true, since those URLs are not "fully valid URLs".
makeURL with strict: true and an full URL
makeURL("example.com", "/test/a", {
config: {
strict: true
}
});
// https://example.com/test/amakeURL with strict: true and an full URL without protocol
makeURL("example.com", "/test/a", {
config: {
strict: true,
forceProtocol: "none"
}
});
// Throws an errormakeURL with strict: true and an full URL with an invalid domain
makeURL("example", "/test/a", {
config: {
strict: true
}
});
// Throws an errormakeURL with strict: true and a relative URL
makeURL("test/a", {
config: {
strict: true
}
});
// Throws an errormakeURL with strict: true and an absolute URL
makeURL("/test/a", {
config: {
strict: true
}
});
// Throws an errormakeURL with strict: false and an full URL
makeURL("example.com", "/test/a", {
config: {
strict: false
}
});
// https://example.com/test/amakeURL with strict: false and an full URL without protocol
makeURL("example.com", "/test/a", {
config: {
strict: false,
forceProtocol: "none"
}
});
// example.com/test/amakeURL with strict: false and an full URL with an invalid domain
makeURL("example", "/test/a", {
config: {
strict: false
}
});
// https://example/test/amakeURL with strict: false and a relative URL
makeURL("test/a", {
config: {
strict: false
}
});
// test/amakeURL with strict: false and an absolute URL
makeURL("/test/a", {
config: {
strict: false
}
});
// /test/aSo, the best and most secure option is to have
strict: true, but that won't allow you to use relative and absolute URLs. So my advice is to keepstrict: trueglobally and disable it in the function calls where you know you need to build relative and/or absolute URLs.
As we explained, you can set the config by passing a config object as the last item in any makeURL call. But if you uses most of the time the same settings, you might prefer to set the config globally and only pass the config object in the makeURL calls when you want to override them.
You can achieve it by calling the function setMakeURLDefaultConfig.
If you want to set the config globally, I recommend you to call this function the earliest you can in your project, so you have the guarantee the global config is set before you call the
makeURLfunction. For example, in a Node app, you might want to call it at the beginning of your entry file. In Next.js you might want to call it in the root server layout or in the middleware (if used server-side) or in a root client layout (of used client-side).
The setMakeURLDefaultConfig accepts only one parameter with a partial config object (meaning you don't need to set every setting).
For example:
setMakeURLDefaultConfig setting strict: true globally
setMakeURLDefaultConfig({
strict: true
});You probably won't ever need to get the current global config, but if you need it, there is a function you can call: getMakeURLDefaultConfig:
getMakeURLDefaultConfig
getMakeURLDefaultConfig();
/*
{
forceProtocol: "auto",
trailingSlash: "add",
strict: false,
allowEmptyPathSegments: false
}
*/getMakeURLDefaultConfig after setting strict: true globally
setMakeURLDefaultConfig({
strict: true
});
getMakeURLDefaultConfig();
/*
{
forceProtocol: "auto",
trailingSlash: "add",
strict: true,
allowEmptyPathSegments: false
}
*/About the relative protocol
Sometimes you might want to build URLs that use the relative protocol (//) so you obtain URLs like //example.com/my/path?test=1.
Luckily, this module supports building them, just keep in mind these URLs, like the relative and the absolute ones; are not compatible with strict: true.
If you have strict: false, you can do use them. Here you have some examples:
makeURL with strict: false and a relative protocol URL
makeURL("//example.com", "test/a", {
config: {
strict: false
}
});
// //example.com/test/amakeURL with strict: false and a relative protocol URL but an invalid domain
makeURL("//example", "test/a", {
config: {
strict: false
}
});
// /example/test/a <- It is transformed to an absolute URLmakeURL with strict: true and a relative protocol URL
makeURL("//example.com", "test/a", {
config: {
strict: true
}
});
// Throws an errorFull examples
To finish with this "guide", I want to provide some examples combining several of the explained settings:
Example 1
makeURL("example.com/", "/test/:id///edit/", {
params: {
id: 1,
name: "John"
},
hash: "test",
config: {
forceProtocol: "auto",
trailingSlash: "remove",
strict: true,
allowEmptyPathSegments: false
}
});
// https://example.com/test/1/edit?name=John#testExample 2
// Default global settings set in the entry file
setMakeURLDefaultConfig({
forceProtocol: "auto",
trailingSlash: "remove",
strict: true,
allowEmptyPathSegments: false
});
//
makeURL("https://api.example.com/", "/:id/:param2/:id///", {
params: {
id: 1,
param2: "678"
}
});
// https://api.example.com/1/678/1Help
Thank you for using make-url!
If you need any help using this library, feel free to create a GitHub issue, and ask your questions. I'll try to answer as quickly as possible.
Contribute
Contributions of any kind (pull requests, bug reports, feature requests, documentation, design) are more than welcome! If you like this project and want to help, but feel like you are stuck, feel free to contact the maintainers.
Other features that we still need to implement:
- We support ports in the URL but we need to also support username and password in the domain like: https://myusername:mypassword@domain.com
Building from source
Building the project should be quick and easy. If it isn't, it's the maintainer's fault. Please report any problems with building in a GitHub issue.
You need to have a reasonably recent version of node.js to build make-url. Tested on node version 18.0.0 and npm version 8.6.0.
First, clone the git repository:
git clone git@github.com:TheNaubit/make-url.gitThen switch to the newly created make-url directory and install the dependencies:
cd make-url
npm installYou can then run the unit tests to verify that everything works correctly:
npm run test:runAnd finally, build the library:
npm run buildThe output will appear in the dist directory.
Happy hacking!
Contributors ✨
Thanks goes to these wonderful people (emoji key):
This project follows the all-contributors specification. Contributions of any kind welcome!
1 year ago
1 year ago
1 year ago
1 year ago
1 year ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago