ArgUtils.js

  1. function Param(config){
  2. this.name = "";
  3. this.required = false;
  4. this.hasVal = false;
  5. this.help = "";
  6. this.value = null;
  7. this.default = null;
  8. this.callback = null;
  9. for(let i in config) this[i] = config[i];
  10. return this;
  11. }
  12. /**
  13. *
  14. * @param {String} arg The arguments values
  15. */
  16. Param.prototype.is = function(arg){
  17. let i=0;
  18. if((i=arg.indexOf("="))>-1){
  19. if(this.name instanceof Array)
  20. return this.name.indexOf(arg.substr(0,i))>-1;
  21. else
  22. return arg.substr(0,i)===this.name;
  23. }else{
  24. if(this.name instanceof Array)
  25. return this.name.indexOf(arg)>-1;
  26. else
  27. return arg===this.name;
  28. }
  29. }
  30. /**
  31. * To fill the param instance with the arguments value
  32. * @param {*} arg
  33. */
  34. Param.prototype.parse = function(context, arg){
  35. let i=0;
  36. if(this.hasVal && (i=arg.indexOf("="))>-1){
  37. this.value = arg.substr(arg.indexOf("=")+1);
  38. }
  39. if(this.callback != null){
  40. this.callback(context, this);
  41. }
  42. return true;
  43. }
  44. /**
  45. *
  46. * @param {Array} params An array of Param instance
  47. * @constructor
  48. */
  49. function Parser(ctx, params){
  50. this.param_config = [];
  51. this.context = ctx;
  52. for(let i=0; i<params.length; i++)
  53. this.param_config.push(new Param(params[i]));
  54. return this;
  55. }
  56. Parser.prototype.argParse = function(arg){
  57. for(let i=0; i<this.param_config.length; i++){
  58. if(this.param_config[i].is(arg))
  59. this.param_config[i].parse(this.context, arg);
  60. }
  61. }
  62. /**
  63. * To parse given process arguments
  64. * @param {Array} args Function call arguments
  65. * @returns {}
  66. * @function
  67. */
  68. Parser.prototype.parse = function(args){
  69. for(let i=0; i<args.length; i++){
  70. this.argParse(args[i]);
  71. }
  72. };
  73. /**
  74. * To get the help command message
  75. * @returns {String} Help message
  76. * @function
  77. */
  78. Parser.prototype.getHelp = function(){
  79. if(this.help != null) return this.help;
  80. let usage = "Usage: dexcalibur ";
  81. this.help = "";
  82. for(let i=0; i<this.param_config.length; i++){
  83. if(this.param_config[i].name instanceof Array){
  84. this.help += "\t";
  85. usage += "[";
  86. for(let j=0; j<this.param_config[i].name.length; j++){
  87. this.help += this.param_config[i].name[j]+",";
  88. usage += this.param_config[i].name[j]+"|";
  89. }
  90. this.help += this.help.substr(this.help.length-1)+"\t"+this.param_config[i].help;
  91. usage += usage.substr(usage.length-1)+"] ";
  92. }else{
  93. this.help += "\t"+this.param_config[i].name+"\t"+this.param_config[i].help;
  94. usage += "["+this.param_config[i].name+"]";
  95. }
  96. this.help += require('os').EOL ;
  97. }
  98. return this.help = usage+"\n\n"+this.help;
  99. };
  100. module.exports = Parser;