Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More
Socket
Sign inDemoInstall
Socket

@jsenv/url-meta

Package Overview
Dependencies
Maintainers
2
Versions
32
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@jsenv/url-meta

Associate data to urls using patterns.

  • 6.0.0
  • Source
  • npm
  • Socket score

Version published
Weekly downloads
237
decreased by-64.41%
Maintainers
2
Weekly downloads
 
Created
Source

url-meta

Associate data to urls using patterns.

github package npm package github ci codecov coverage

Table of contents

Presentation

@jsenv/url-meta allows to associate value to urls using pattern matching.

import { urlToMeta } from "@jsenv/url-meta"

// conditionally associates url and values
const metaMap = {
  color: {
    "file:///*": "black",
    "file:///*.js": "red",
  },
}

const urlToColor = (url) => {
  return urlToMeta({ url, metaMap }).color
}

console.log(`file.json color is ${urlToColor("file:///file.json")}`)
console.log(`file.js color is ${urlToColor("file:///file.js")}`)

Code above logs

file.json color is black
file.js color is red

Installation

npm install @jsenv/url-meta

Can be used in browsers and Node.js.

Should work with node 12.8+. Other versions are not tested.

Terminology

This part introduces some words used in this codebase and documentation.

metaMap

A metaMap is an object composed by pattern and meta. A pattern is a string like file:///*.js and meta is an object where you can put what you want.

A metaMap object example:

{
  "**/*": { "visible": true },
  "**/.git": { "visible": false }
}

The object above can be translated into the following sentence: all files are visible except files in .git directory.

metaMap namings

Name of variables in the code below corresponds to terminology used in the codebase and documentation.

const pattern = "**/*"
const meta = { visible: true }
const metaMap = {
  [pattern]: meta,
}

structuredMetaMap

A structuredMetaMap is an object composed by metaProperty and metaValueMap. metaValueMap are themselves composed by pattern and metaValue. structuredMetaMap is an other way of associating ,meta to urls.

A structuredMetaMap example:

{
  "visible": {
    "**/*/": true,
    "**/.git/": false
  }
}

structuredMetaMap format helps to structure the logic. As a consequence, it is the format used by our apis.

structuredMetaMap namings

Name of variables in the code below corresponds to terminology used in the codebase and documentation.

const pattern = "**/*/"
const metaProperty = "visible"
const metaValue = true
const metaValueMap = {
  [pattern]: metaValue,
}
const structuredMetaMap = {
  [metaProperty]: metaValueMap,
}

Pattern matching

Pattern matching example

Some example of pattern applied to file:///whatever/file.js

patternmatches
file:///whateverfalse
file:///whatever/true
file:///whatever/*.jstrue
file:///whatever/**/*.jstrue
file:///**/*.jstrue
file:///whatever/file.jstrue
file:///whatever/file.jsxfalse
Common pattern example
patternDescription
**/Everything
*/**/Inside a directory
**/.*/Inside directory starting with a dot
**/node_modules/Inside node_modules directory
**/*.mapEnding with .map
**/*.test.*Contains test

**/ and **/* are equivalent

More examples that should be rarely used in practice:

specifierDescription
*/*Inside a directory of depth 1

applyPatternMatching

applyPatternMatching is a function returning a matchResult indicating if and how a pattern matches an url.

applyPatternMatching code example
import { applyPatternMatching } from "@jsenv/url-meta"

const matchResult = applyPatternMatching({
  pattern: "file:///**/*",
  url: "file://Users/directory/file.js",
})

matchResult.matched // true

— source code at src/applyPatternMatching.js.

pattern

pattern parameter is a string looking like an url but where * and ** can be used so that one specifier can match several url. This parameter is required.

url

url parameter is a string representing a url. This parameter is required.

matchResult

matchResult represents if and how a pattern matches an url.

matchResult example
const fullMatch = applyPatternMatching({
  pattern: "file:///**/*",
  url: "file://Users/directory/file.js",
})
fullMatch // { matched: true, index: 31, patternIndex: 12 }

fullMatch object indicates pattern fully matched url.

const partialMatch = applyPatternMatching({
  pattern: "file:///*.js",
  url: "file:///file.jsx",
})
partialMatch // { matched: false, index: 14, patternIndex: 14 }

partialMatch object indicates pattern matched url until comparing url[14] with pattern[14].

normalizeStructuredMetaMap

normalizeStructuredMetaMap is a function resolving a structuredMetaMap against an url.

normalizeStructuredMetaMap code example
import { normalizeStructuredMetaMap } from "@jsenv/url-meta"

const structuredMetaMapNormalized = normalizeStructuredMetaMap(
  {
    visible: {
      "**/*/": true,
      "**/.git/": false,
    },
  },
  "file:///Users/directory/",
)
console.log(JSON.stringify(structuredMetaMapNormalized, null, "  "))
{
  "visible": {
    "file:///Users/directory/**/*/": true,
    "file:///Users/directory/**/.git/": false
  }
}

— source code at src/normalizeStructuredMetaMap.js.

urlCanContainsMetaMatching

urlCanContainsMetaMatching is a function designed to ignore directory content that would never have specific metas.

urlCanContainsMetaMatching code example
import { urlCanContainsMetaMatching } from "@jsenv/url-meta"

const structuredMetaMap = {
  color: {
    "file:///**/*": "blue",
    "file:///**/node_modules/": "green",
  },
}

const firstUrlCanHaveFilesWithColorBlue = urlCanContainsMetaMatching({
  url: "file:///src/",
  specifierMetaMap,
  predicate: ({ color }) => color === "blue",
})
firstUrlCanHaveFilesWithColorBlue // true

const secondUrlCanHaveFileWithColorBlue = urlCanContainsMetaMatching({
  url: "file:///node_modules/src/",
  specifierMetaMap,
  predicate: ({ color }) => color === "blue",
})
secondUrlCanHaveFileWithColorBlue // false

— source code at src/urlCanContainsMetaMatching.js.

urlToMeta

urlToMeta is a function returning an object being the composition of all meta where pattern matched the url.

urlToMeta code example
import { urlToMeta } from "@jsenv/url-meta"

const structuredMetaMap = {
  insideSrc: {
    "file:///src/": true,
  },
  extensionIsJs: {
    "file:///**/*.js": true,
  },
}

const urlA = "file:///src/file.js"
const urlB = "file:///src/file.json"

console.log(`${urlA}: ${JSON.stringify(urlToMeta({ url: urlA, specifierMetaMap }), null, "  ")}`)
console.log(`${urlB}: ${JSON.stringify(urlToMeta({ url: urlB, specifierMetaMap }), null, "  ")}`)

Console output

file:///src/file.js: {
  "insideSrc": true,
  "extensionIsJs": true,
}
file:///src/file.json: {
  "insideSrc": true
}

— source code at src/urlToMeta.js.

FAQs

Package last updated on 12 Dec 2020

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc