Research
Security News
Malicious npm Packages Inject SSH Backdoors via Typosquatted Libraries
Socket’s threat research team has detected six malicious npm packages typosquatting popular libraries to insert SSH backdoors.
@zargu/couchdb-designer
Advanced tools
With this package you can easily manage your couchdb design documents by storing them in directory structure and create javascript object from them. Chouchdb-designer provide two functions for that purpose: The first "designer" wait for a path of root directory of multiple design documents and gives back the array of design document objects. The second "createDesignDocument" do the same but only with one design document. Another feature is the "createTestContext" and createTestServer which allows you to testing your design document with jest testing framework.
Warnings
The design document generation doesn't check if the directory structure matching to the rules of couchdb design document syntax, although able to generate any type of them without attachmented. For proper use you need to know this rules. By testing you can discover many case of different missable usage.
It is work the way. if a directory then becomes to object type field and a file becomes to string or object field depend on rules belove:
By the feature: js file contain only one function with the same name as file itself then becomes to String field. You can create more sophisticated structure. For example if you have several update functions writen in a single updates.js file you can even create an updates directory with additional files followed rules of same name function. This way the result will be an updates object containing the updates.js and the updates directory content.
design
├── appdesign
│ ├── lib
│ │ └── couchdb.lib.js
│ ├── options.json
│ ├── updates
│ │ └── updateFomDir.js
│ ├── updates.js
│ ├── validate_doc_update.js
│ └── views
│ ├── byDate
│ │ ├── map.js
│ │ └── reduce.js
│ ├── byName
│ │ └── map.js
│ └── byParent.js
└── querys
├── language.txt
└── views
├── bar-index.json
└── foo-index
├── map.json
├── options.json
└── reduce.txt
view by file: //ddocName/views/viewname.js
function map (doc){
emit(doc.name,1);
}
function reduce (keys,values,rereduce){
if(rereduce){
return sum(values);
}else{
return values.length;
}
}
// or
const reduce = "_count";
module.exports = { map, reduce }
view by directory: ddocName/views/viewname/map.js
function map (doc){
emit(doc.name,1);
}
module.exports = { map }
ddocName/views/viewname/reduce.js
function reduce (keys,values,rereduce){
if(rereduce){
return sum(values);
}else{
return values.length;
}
}
module.exports = { reduce }
Common js library: designName/path/tolib.lib.js (view map function can only require library under path views/libname )
function libfunc1 (){
...
}
function libfunc2 (){
...
}
module.exports = { libfunc1, libfunc2 }
Create multiple design documents from root directory of them.
import {designer,createDesignDocument} from '@zargu/couchdb-designer';
designer('./design').then(documents => {
/* documents here [
{_id:'_design/appdesign',lib:{couchdb:{...}} ...},
{_id:'_design/querys',views:{"bar-index":{...}}...}
]*/
},err => console.log(err));
Create single design document.
createDesignDocument('./design/appdesign').then(document => {
// documents here: {_id:'_design/appdesign',lib:{couchdb:{...}} ...}
},err => console.log(err));
With createTestContext you can create a context represented by directory by the same way like at createDesignDocument but you can here declare a testDatabase, userCtx, secObj in parameters. This context object has the same structure as design ducument has but with invokeable functions. These functions in the context object have the near same environment as in a real couchdb. Some of these functions by them nature return result which you can use testing with jest easily. But what if you want to test something like a view's map function which doesn't return the result directly, only call the couchdb built-in emit and maybe log functions. In these cases you can call the context as a function with the "emitted" or "logged" string parameter for get the indirect result of previously called functions. After calling the previously gathered data will be deleted but among two calling of them gathering every indirect data. The rest built-in couchdb functions is mockFunctions and available in the same way by calling the context as a function and give their name as a string parameter, for example context("registerType") will give you the given built-in mockFunction. When calling the available functions under the context object, they will verify their own implementation then throws error if something wrong happen, for example when calling irrelevant built in function inside your ddoc function.
createTestContext(directory,testDatabase[,userCtx, secObj])
{db:'testdatabase',name:null,roles:["_admin"]}
{members:{roles:["_admin"]},admins:{roles:["_admin"]}}
Another available function is createTestServer which you can use to test multiple ddocs by create a context acting like a real couchdb. It is work the same way like createTestContext but you have to supplement of path the given ddoc name to call functions. The benifit of use this capability is that when you test updateFunctions then the result is depend on all ddocs validate_doc_update.
createTestServer(directory,testDatabase[,userCtx, secObj])
An other but much better way of view testing instead of emitted is the calling the context with server or _design parameter which give back an object what you can use as emulator of couchdb. For example context("server").view.viewname() insted of context.views.viewname.map(). For this opportunity you have to set the testDatabase with the createTestContext second parameter.The testDatabase is an array of objects. With server object you can testing the given view in context of map/reduce,grouping and the previously setted testDatabase. The server object's functions result the same as if you get by the given function's result from a real couchdb.It is waiting for an optional object parameter with reduce (boolean), group (boolean), group_level (integer) field with same meaning like the couchdb's viewFunction query parameters. These functions return the correct result even if you set one of built-in couchdb reducers instead of self implemented.
Similar to map/reduce testing you can test updateFunctions for example:
context("_design").update.updateName(request[,doc_id]);
// or
server("_design").ddocname.update.updateName(request[,doc_id]);
The result will be the original updateFunction result's second element depending on the updated testDatabase or an error message from validate_doc_update or another error if your functions do something dirty. You can verify the updated testDatabase by calling context as function with database string or can get a particular document by specify them id in second parameter. Note that if it is the only way to make impact of testDatabases and _changes state. Any other direct calling of your functions will non impact.
Both of in context function you can pass the _changes string parameter for get the changes of testdatabase. If you pass a second parameter then its must be an "object" with the field "filter" contain the path of your filterFunction and an optional field request which will be give to your filterFunction at its invocation. This request object will be supplemented similar as at updateFunction's.
for example: /database/_changes?filter=ddocname/filtername
context('_changes',{filter:'ddocname/filtername'})
The supplementing of request object not only even valid the case of particular context functions like "_changes -> filter" or "_design -> update" testing but in case of direct calling of "update,show,list,filter" functions. The content of supplemented request object depend on "testDatabase,userCtx,secObj" parameters. By specify the request's "headers,body,form,query,cookie,method,peer,uuid,userCtx" fields you can overwrite the default values.
Deafult request object:
const request = {
body: "undefined",
cookie: {},
form: {},
headers: {
Accept: "*/*",
Host: "localhost:5984",
"User-Agent": "couchdb-designer/testing environment"
},
id: null, //The case of direct calling of functions on context object is always null. Otherwise the processed doc id.
info: {
db_name: "testdatabase",
doc_count: 0, // depend on testDatabase.
doc_del_count: 0,
update_seq: 0, // depend on testDatabase and updates.
purge_seq: 0,
compact_running: false,
sizes: {
active: 0,
disk: 0,
external: 0
},
instance_start_time: "1347601025628957",
disk_format_version: 6,
committed_update_seq: 0, // same as update_seq
},
method: "POST",
path: [], // depend on called function
peer: "127.0.0.1",
query: {},
raw_path: "",
requested_path: [],
secObj: {}, // default or given seCobj
userCtx: {}, // default or given or overwrited userCtx
uuid: "3184f9d1ea934e1f81a24c71bde5c168" // generated by Date.now() or pre specifyed by you.
}
import { createTestContext,createTestServer } from '@zargu/couchdb-designer';
const testDatabase = [
{_id:'doc1'...},
{_id:'doc2'...}
...
]
describe('couchdb',() => {
beforeEach(() => {
jest.clearAllMocks();
});
test('appdesign',() => {
return createTestContext('./design/appdesign',testDatabase).then(context => {
// simple testing
let somedocument = {_id:'some',mail:'foo@bar.com'};
expect(context.views.byMail.map(somedocument)).toBeUndefined(); //have only indirect result in proper case.
expect(context.views.byMail.map.mock.calls.length).toBe(1) // sure! byMail.map itself a mockFunction as well.
expect(context.views.lib.someLibfunction.mock.calls.length).toBe(1); // byMail.map may invoke someLibfunction by require built-in.
expect(context('emitted').rows).toEqual([{id:'some',key:'foo@bar.com',value:1}]);
expect(context('logged')).toMatchSnapshot(); // logResult return multiline String of expected couchdb log.
// The next assertion is useless here because calling map function will throw an exception if it's try to call registerType.
expect(context('registerType')).not.toHaveBeenCalled(); // built-in mockFunction
// Map/reduce view testing
expect(context('server').view.byPeriod({group_level:1})).toEqual({rows:[{key:[2021],value:234}]}) // the result depend on map,reduce,testDatabase
});
});
test('all_ddoc',() => {
return createTestServer('./design').then(server => {
let validCtx = {...};
let invalidCtx = {...};
//update testing
expect(server('_design').appdesign.update.updateName({userCtx:validCtx},'doc1')).toBe("doc1 updated succesfully");
expect(server('_design').appdesign.update.updateName({userCtx:invalidCtx},'doc1')).toEqual({error:'forbidden',reason:"Guru meditation error!"});
//verify database
expect(server('database')[0]).toEqual({_id:'doc1',... });
expect(server('database','doc1')).toEqual({_id:'doc1',... });
//changes and filter
expect(server("_changes")).toMatchSnapshot();
expect(server("_changes",{filter:'appdesign/mailbox',request:{query:{type:'spam'}}}).results.length).toBe(2);
});
});
});
Release note:
I hope I was successfull to make a usefull package to them who like couchdb. Although my purpose at the start was only to make a simple generator function. I was learn a lot of about "CouchDB" and "Jest" and it's was a good opportunity to practise the english as well, and by seeing it's popularity, for my part its was worth to continue. At the future I will try to polish on its, I don't to plan further supplement it, but if you have an idea to done it more usable and comfortable, or you find something error please tell me in an issue.
FAQs
Create and testing couchdb design document form directory structure.
The npm package @zargu/couchdb-designer receives a total of 2 weekly downloads. As such, @zargu/couchdb-designer popularity was classified as not popular.
We found that @zargu/couchdb-designer 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
Socket’s threat research team has detected six malicious npm packages typosquatting popular libraries to insert SSH backdoors.
Security News
MITRE's 2024 CWE Top 25 highlights critical software vulnerabilities like XSS, SQL Injection, and CSRF, reflecting shifts due to a refined ranking methodology.
Security News
In this segment of the Risky Business podcast, Feross Aboukhadijeh and Patrick Gray discuss the challenges of tracking malware discovered in open source softare.