Research
Security News
Malicious npm Package Targets Solana Developers and Hijacks Funds
A malicious npm package targets Solana developers, rerouting funds in 2% of transactions to a hardcoded address.
@plumier/reflect
Advanced tools
A Plumier introspection (reflection) library, extract JavaScript/TypeScript type into object graph contains decorator metadata
import reflect from "@plumier/reflect"
class Awesome{
awesome(){}
}
class MyAwesomeClass extends Awesome {
@decorateMethod({ cache: "20s" })
myAwesomeMethod(stringPar:string, numberPar:number): number {
return Math.random()
}
}
const metadata = reflect(MyAwesomeClass)
Result of metadata
variable above is like below
{
kind: 'Class',
name: 'MyAwesomeClass',
type: MyAwesomeClass,
decorators: [],
properties: [],
ctor: {
kind: 'Constructor',
name: 'constructor',
parameters: []
},
methods: [
{
kind: 'Method',
name: 'myAwesomeMethod',
parameters: [
{
kind: 'Parameter',
name: 'stringPar',
type: String,
decorators: [],
properties: {}
},
{
kind: 'Parameter',
name: 'numberPar',
type: Number,
decorators: [],
properties: {}
}
],
decorators: [{ cache: '20s' }],
returnType: Number,
},
{
kind: 'Method',
name: 'awesome',
parameters: [],
decorators: [],
returnType: undefined,
}
]
}
To be able to inspect type information its required to enable configuration below in tsconfig.json
{
"compilerOptions": {
"experimentalDecorators": true,
"emitDecoratorMetadata": true
}
}
TypeScript when emitDecoratorMetadata
enabled, TypeScript will add type information during compile time. This make it possible to extract typescript type information during runtime.
CAVEAT
TypeScript
emitDecoratorMetadata
has some limitation.
- Declaration should have at least one decorator to get metadata (type information)
- Array element type information not included.
- Generic type information not included.
Based on limitation above its required at least have one decorator to make reflection to be able to extract type information:
import reflect from "@plumier/reflect"
class Awesome {
@reflect.noop()
awesome(multiply:number): number { return 1 }
}
const metadata = reflect(Awesome)
reflection will be able to get type information of the method's return type and parameters of the awesome
method above. Note that we applied @reflect.noop()
decorator on the awesome
method. @reflect.noop()
does nothing except to force TypeScript to emit metadata information.
import reflect from "@plumier/reflect"
class Awesome {
@reflect.noop()
aweProperty:number
}
const metadata = reflect(Awesome)
Above code showing that we able to get type information of a property.
import reflect from "@plumier/reflect"
@reflect.noop()
class Awesome {
constructor(multiply:number){}
}
const metadata = reflect(Awesome)
Above code showing that we able to get type information of parameters of the constructor, by applying decorator on the class level.
To get type information of an Array and Generic type its required to use @reflect.type()
decorator and provide the type on the callback parameter.
import reflect from "@plumier/reflect"
class Awesome {
@reflect.type([Number])
awesome(multiply:number): Array<number> {}
}
const metadata = reflect(Awesome)
Above code showing that we able to get method's return type information by providing @reflect.type([Number])
. Note that the [Number]
is an array of Number
.
import reflect from "@plumier/reflect"
class Option {
data:string
}
class Awesome {
@reflect.type(Option)
awesome(multiply:number): Partial<Option> {}
}
const metadata = reflect(Awesome)
We will be able to get generic type information such as Partial
, Required
etc by applying @reflect.type()
like above.
If you receive
ReferenceError: <type name> is not defined
error, thats mean you use@reflect.type(MyType)
prior than its declaration. To solve this issue you can use callback@reflect.type(x => MyType)
or@reflect.type(x => [MyType])
for array type.
With above trick its possible to get generic type information in a generic class members with some extra configuration below
@generic.parameter("T", "U")
class SuperAwesome<T, U> {
awesome(@reflect.type("T") par: T, @reflect.type("U") par2: U) {}
}
@generic.argument(Number, String)
class Awesome extends SuperAwesome<Number, String> { }
const metadata = reflect(Awesome)
Above code showing that we add a specialized decorator @generic.parameter()
to define generic type parameter. We also defined data type of the generic parameters using @reflect.type()
decorator. Next on the inherited class we specify @generic.argument()
to define types replace the generic template. Note that the order of the parameter on @generic.parameter()
and @generic.argument()
is important.
TypeScript has parameter properties feature, which make it possible to use constructor parameter as property. reflection able to extract parameter properties type information by using @reflect.parameterProperties()
decorator.
import reflect from "@plumier/reflect"
@reflect.parameterProperties()
class Awesome {
constructor(public multiply:number){}
}
const metadata = reflect(Awesome)
Reflection able to extract classes/methods/properties/parameters decorated with predefined metadata decorators. There are predefined decorators should be use to be able for reflection to inspect the decorators
Decorator | Description |
---|---|
decorateClass | Decorate class with object specified in parameter |
decorateProperty | Decorate property with object specified in parameter |
decorateMethod | Decorate method with object specified in parameter |
decorateParameter | Decorate parameter with object specified in parameter |
decorate | Decorate any (class, property, method, parameter) with object specified in parameter |
mergeDecorator | Merge multiple decorators into one, useful on creating custom decorator |
Example usage
import { decorateClass, decorateProperty } from "@plumier/reflect"
@decorateClass({ message: "hello world" })
class Awesome {
@decorateProperty({ message: "awesome!" })
awesome: number = 10
}
Parameter passed on each decorator can be any object contains value, methods etc, those value will be returned when the class metadata extracted.
Create your own custom decorator by creating function returns decorator above
import { decorateMethod } from "@plumier/reflect"
// create custom decorator
function cache(duration:number){
return decorateMethod({ type: "Cache", duration })
}
class Awesome{
@cache() // use it like usual decorator
awesome(){}
}
Use mergeDecorator
to combine multiple decorator on custom decorator
import { decorateMethod, mergeDecorator } from "@plumier/reflect"
// create custom decorator
function cacheAndDelay(duration:number){
return mergeDecorator([
decorateMethod({ type: "Cache", duration }),
decorateMethod({ type: "Delay", duration })
])
}
Decorator can be further configured to match the behavior you need like below.
decorateMethod(<data>, <option>)
Option is a simple object with properties:
inherit
Boolean
If false
decorator will not be merged on the derived class. Default true
allowMultiple
Boolean
If false
throw error when multiple decorator applied on class. Also when set false
will prevent super class decorator being merged into derived class when already exists. When set false
, decorator required to have DecoratorId
property to identify the similar decorator.applyTo
String
or String[]
apply decorator into the specified properties or methods.removeApplied
Boolean
Remove applied decorator using applyTo
on the class scope. Default true
.Example disable decorator inheritance
@decorateClass({ log:true }, { inherit: false })
class Awesome {
awesome(){}
}
// { log: true} will not inherited on this class
class IamAwesome extends Awesome{ }
Example disable multiple decorator on inheritance
import { DecoratorId, decorateClass } from "@plumier/reflect"
function log(){
return @decorateClass({ [DecoratorId]: "logging", log:true }, { allowMultiple: false })
}
@log()
class Awesome {
awesome(){}
}
// parent decorator will not merged
// guaranteed derived class only have single decorator with specific ID
@log()
class IamAwesome extends Awesome{ }
Sometime its required to add decorator into specific methods or properties from class. This is useful when you want to decorate specific super class method from derived class. Use applyTo
and removeApplied
properties on decorator option to control decorator to be copied into the properties or methods.
import { decorateClass } from "@plumier/reflect"
@decorateClass({ message: "hello world" }, { applyTo: "myMethod" })
class Awesome {
myMethod(){}
}
By specifying { applyTo: "myMethod" }
on the decorator option will make the decorator copied into the myMethod
method, while the decorator removed from the class.
import { decorateClass } from "@plumier/reflect"
@decorateClass({ message: "hello world" }, { applyTo: "myMethod", removeApplied: false })
class Awesome {
myMethod(){}
}
Above code will copy decorator into myMethod
method but keep the decorator on the class.
By default reflect process cached globally for performance reason. But in some case if you modify the class preferences by adding a new decorator etc, your new update will not returned until you flush the cache.
reflect.flush(Type)
FAQs
Plumier reflection module
The npm package @plumier/reflect receives a total of 5,460 weekly downloads. As such, @plumier/reflect popularity was classified as popular.
We found that @plumier/reflect demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
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.
Research
Security News
A malicious npm package targets Solana developers, rerouting funds in 2% of transactions to a hardcoded address.
Security News
Research
Socket researchers have discovered malicious npm packages targeting crypto developers, stealing credentials and wallet data using spyware delivered through typosquats of popular cryptographic libraries.
Security News
Socket's package search now displays weekly downloads for npm packages, helping developers quickly assess popularity and make more informed decisions.