├── .babelrc ├── .electron-vue ├── build.js ├── dev-client.js ├── dev-runner.js ├── webpack.main.config.js ├── webpack.renderer.config.js └── webpack.web.config.js ├── .eslintignore ├── .eslintrc.js ├── .gitignore ├── .travis.yml ├── LICENSE ├── README.md ├── appveyor.yml ├── build └── icons │ ├── 512x512.png │ ├── icon.icns │ └── icon.png ├── dist ├── electron │ └── .gitkeep └── web │ └── .gitkeep ├── package.json ├── screenshots ├── control-panel1.png ├── dashboard.png ├── file-manager.png ├── server.png └── sessions.png ├── src ├── index.ejs ├── main │ ├── index.dev.js │ └── index.js └── renderer │ ├── App.vue │ ├── assets │ ├── .gitkeep │ └── logo.png │ ├── components │ ├── Dashboard.vue │ ├── Login.vue │ ├── Session.vue │ └── sessionView │ │ └── Workspace.vue │ ├── constants │ ├── commands │ │ └── cmd.js │ └── extensions │ │ └── whitelist.js │ ├── main.js │ ├── msfrpc │ └── index.js │ ├── router │ └── index.js │ └── store │ ├── index.js │ └── modules │ ├── index.js │ └── msfSession.js ├── static ├── .gitkeep ├── kage-logo.svg └── splash.html └── yarn.lock /.babelrc: -------------------------------------------------------------------------------- 1 | { 2 | "comments": false, 3 | "env": { 4 | "main": { 5 | "presets": [ 6 | ["env", { 7 | "targets": { "node": 7 } 8 | }], 9 | "stage-0" 10 | ] 11 | }, 12 | "renderer": { 13 | "presets": [ 14 | ["env", { 15 | "modules": false 16 | }], 17 | "stage-0" 18 | ] 19 | }, 20 | "web": { 21 | "presets": [ 22 | ["env", { 23 | "modules": false 24 | }], 25 | "stage-0" 26 | ] 27 | } 28 | }, 29 | "plugins": ["transform-runtime"] 30 | } 31 | -------------------------------------------------------------------------------- /.electron-vue/build.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | 3 | process.env.NODE_ENV = 'production' 4 | 5 | const { say } = require('cfonts') 6 | const chalk = require('chalk') 7 | const del = require('del') 8 | const { spawn } = require('child_process') 9 | const webpack = require('webpack') 10 | const Listr = require('listr') 11 | 12 | 13 | const mainConfig = require('./webpack.main.config') 14 | const rendererConfig = require('./webpack.renderer.config') 15 | const webConfig = require('./webpack.web.config') 16 | 17 | const doneLog = chalk.bgGreen.white(' DONE ') + ' ' 18 | const errorLog = chalk.bgRed.white(' ERROR ') + ' ' 19 | const okayLog = chalk.bgBlue.white(' OKAY ') + ' ' 20 | const isCI = process.env.CI || false 21 | 22 | if (process.env.BUILD_TARGET === 'clean') clean() 23 | else if (process.env.BUILD_TARGET === 'web') web() 24 | else build() 25 | 26 | function clean () { 27 | del.sync(['build/*', '!build/icons', '!build/icons/icon.*']) 28 | console.log(`\n${doneLog}\n`) 29 | process.exit() 30 | } 31 | 32 | async function build () { 33 | greeting() 34 | 35 | del.sync(['dist/electron/*', '!.gitkeep']) 36 | 37 | let results = '' 38 | 39 | const tasks = new Listr( 40 | [ 41 | { 42 | title: 'building master process', 43 | task: async () => { 44 | await pack(mainConfig) 45 | .then(result => { 46 | results += result + '\n\n' 47 | }) 48 | .catch(err => { 49 | console.log(`\n ${errorLog}failed to build main process`) 50 | console.error(`\n${err}\n`) 51 | }) 52 | } 53 | }, 54 | { 55 | title: 'building renderer process', 56 | task: async () => { 57 | await pack(rendererConfig) 58 | .then(result => { 59 | results += result + '\n\n' 60 | }) 61 | .catch(err => { 62 | console.log(`\n ${errorLog}failed to build renderer process`) 63 | console.error(`\n${err}\n`) 64 | }) 65 | } 66 | } 67 | ], 68 | { concurrent: 2 } 69 | ) 70 | 71 | await tasks 72 | .run() 73 | .then(() => { 74 | process.stdout.write('\x1B[2J\x1B[0f') 75 | console.log(`\n\n${results}`) 76 | console.log(`${okayLog}take it away ${chalk.yellow('`electron-builder`')}\n`) 77 | process.exit() 78 | }) 79 | .catch(err => { 80 | process.exit(1) 81 | }) 82 | } 83 | 84 | function pack (config) { 85 | return new Promise((resolve, reject) => { 86 | config.mode = 'production' 87 | webpack(config, (err, stats) => { 88 | if (err) reject(err.stack || err) 89 | else if (stats.hasErrors()) { 90 | let err = '' 91 | 92 | stats.toString({ 93 | chunks: false, 94 | colors: true 95 | }) 96 | .split(/\r?\n/) 97 | .forEach(line => { 98 | err += ` ${line}\n` 99 | }) 100 | 101 | reject(err) 102 | } else { 103 | resolve(stats.toString({ 104 | chunks: false, 105 | colors: true 106 | })) 107 | } 108 | }) 109 | }) 110 | } 111 | 112 | function web () { 113 | del.sync(['dist/web/*', '!.gitkeep']) 114 | webConfig.mode = 'production' 115 | webpack(webConfig, (err, stats) => { 116 | if (err || stats.hasErrors()) console.log(err) 117 | 118 | console.log(stats.toString({ 119 | chunks: false, 120 | colors: true 121 | })) 122 | 123 | process.exit() 124 | }) 125 | } 126 | 127 | function greeting () { 128 | const cols = process.stdout.columns 129 | let text = '' 130 | 131 | if (cols > 85) text = 'lets-build' 132 | else if (cols > 60) text = 'lets-|build' 133 | else text = false 134 | 135 | if (text && !isCI) { 136 | say(text, { 137 | colors: ['yellow'], 138 | font: 'simple3d', 139 | space: false 140 | }) 141 | } else console.log(chalk.yellow.bold('\n lets-build')) 142 | console.log() 143 | } 144 | -------------------------------------------------------------------------------- /.electron-vue/dev-client.js: -------------------------------------------------------------------------------- 1 | const hotClient = require('webpack-hot-middleware/client?noInfo=true&reload=true') 2 | 3 | hotClient.subscribe(event => { 4 | /** 5 | * Reload browser when HTMLWebpackPlugin emits a new index.html 6 | * 7 | * Currently disabled until jantimon/html-webpack-plugin#680 is resolved. 8 | * https://github.com/SimulatedGREG/electron-vue/issues/437 9 | * https://github.com/jantimon/html-webpack-plugin/issues/680 10 | */ 11 | // if (event.action === 'reload') { 12 | // window.location.reload() 13 | // } 14 | 15 | /** 16 | * Notify `mainWindow` when `main` process is compiling, 17 | * giving notice for an expected reload of the `electron` process 18 | */ 19 | if (event.action === 'compiling') { 20 | document.body.innerHTML += ` 21 | 34 | 35 |
36 | Compiling Main Process... 37 |
38 | ` 39 | } 40 | }) 41 | -------------------------------------------------------------------------------- /.electron-vue/dev-runner.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | 3 | const chalk = require('chalk') 4 | const electron = require('electron') 5 | const path = require('path') 6 | const { say } = require('cfonts') 7 | const { spawn } = require('child_process') 8 | const webpack = require('webpack') 9 | const WebpackDevServer = require('webpack-dev-server') 10 | const webpackHotMiddleware = require('webpack-hot-middleware') 11 | 12 | const mainConfig = require('./webpack.main.config') 13 | const rendererConfig = require('./webpack.renderer.config') 14 | 15 | let electronProcess = null 16 | let manualRestart = false 17 | let hotMiddleware 18 | 19 | function logStats (proc, data) { 20 | let log = '' 21 | 22 | log += chalk.yellow.bold(`┏ ${proc} Process ${new Array((19 - proc.length) + 1).join('-')}`) 23 | log += '\n\n' 24 | 25 | if (typeof data === 'object') { 26 | data.toString({ 27 | colors: true, 28 | chunks: false 29 | }).split(/\r?\n/).forEach(line => { 30 | log += ' ' + line + '\n' 31 | }) 32 | } else { 33 | log += ` ${data}\n` 34 | } 35 | 36 | log += '\n' + chalk.yellow.bold(`┗ ${new Array(28 + 1).join('-')}`) + '\n' 37 | 38 | console.log(log) 39 | } 40 | 41 | function startRenderer () { 42 | return new Promise((resolve, reject) => { 43 | rendererConfig.entry.renderer = [path.join(__dirname, 'dev-client')].concat(rendererConfig.entry.renderer) 44 | rendererConfig.mode = 'development' 45 | const compiler = webpack(rendererConfig) 46 | hotMiddleware = webpackHotMiddleware(compiler, { 47 | log: false, 48 | heartbeat: 2500 49 | }) 50 | 51 | compiler.hooks.compilation.tap('compilation', compilation => { 52 | compilation.hooks.htmlWebpackPluginAfterEmit.tapAsync('html-webpack-plugin-after-emit', (data, cb) => { 53 | hotMiddleware.publish({ action: 'reload' }) 54 | cb() 55 | }) 56 | }) 57 | 58 | compiler.hooks.done.tap('done', stats => { 59 | logStats('Renderer', stats) 60 | }) 61 | 62 | const server = new WebpackDevServer( 63 | compiler, 64 | { 65 | contentBase: path.join(__dirname, '../'), 66 | quiet: true, 67 | hot: true, 68 | before (app, ctx) { 69 | // app.use(hotMiddleware) 70 | ctx.middleware.waitUntilValid(() => { 71 | resolve() 72 | }) 73 | } 74 | } 75 | ) 76 | 77 | server.listen(9080) 78 | }) 79 | } 80 | 81 | function startMain () { 82 | return new Promise((resolve, reject) => { 83 | mainConfig.entry.main = [path.join(__dirname, '../src/main/index.dev.js')].concat(mainConfig.entry.main) 84 | mainConfig.mode = 'development' 85 | const compiler = webpack(mainConfig) 86 | 87 | compiler.hooks.watchRun.tapAsync('watch-run', (compilation, done) => { 88 | logStats('Main', chalk.white.bold('compiling...')) 89 | hotMiddleware.publish({ action: 'compiling' }) 90 | done() 91 | }) 92 | 93 | compiler.watch({}, (err, stats) => { 94 | if (err) { 95 | console.log(err) 96 | return 97 | } 98 | 99 | logStats('Main', stats) 100 | 101 | if (electronProcess && electronProcess.kill) { 102 | manualRestart = true 103 | process.kill(electronProcess.pid) 104 | electronProcess = null 105 | startElectron() 106 | 107 | setTimeout(() => { 108 | manualRestart = false 109 | }, 5000) 110 | } 111 | 112 | resolve() 113 | }) 114 | }) 115 | } 116 | 117 | function startElectron () { 118 | var args = [ 119 | '--inspect=5858', 120 | path.join(__dirname, '../dist/electron/main.js') 121 | ] 122 | 123 | // detect yarn or npm and process commandline args accordingly 124 | if (process.env.npm_execpath.endsWith('yarn.js')) { 125 | args = args.concat(process.argv.slice(3)) 126 | } else if (process.env.npm_execpath.endsWith('npm-cli.js')) { 127 | args = args.concat(process.argv.slice(2)) 128 | } 129 | 130 | electronProcess = spawn(electron, args) 131 | 132 | electronProcess.stdout.on('data', data => { 133 | electronLog(data, 'blue') 134 | }) 135 | electronProcess.stderr.on('data', data => { 136 | electronLog(data, 'red') 137 | }) 138 | 139 | electronProcess.on('close', () => { 140 | if (!manualRestart) process.exit() 141 | }) 142 | } 143 | 144 | function electronLog (data, color) { 145 | let log = '' 146 | data = data.toString().split(/\r?\n/) 147 | data.forEach(line => { 148 | log += ` ${line}\n` 149 | }) 150 | if (/[0-9A-z]+/.test(log)) { 151 | console.log( 152 | chalk[color].bold('┏ Electron -------------------') + 153 | '\n\n' + 154 | log + 155 | chalk[color].bold('┗ ----------------------------') + 156 | '\n' 157 | ) 158 | } 159 | } 160 | 161 | function greeting () { 162 | const cols = process.stdout.columns 163 | let text = '' 164 | 165 | if (cols > 104) text = 'electron-vue' 166 | else if (cols > 76) text = 'electron-|vue' 167 | else text = false 168 | 169 | if (text) { 170 | say(text, { 171 | colors: ['yellow'], 172 | font: 'simple3d', 173 | space: false 174 | }) 175 | } else console.log(chalk.yellow.bold('\n electron-vue')) 176 | console.log(chalk.blue(' getting ready...') + '\n') 177 | } 178 | 179 | function init () { 180 | greeting() 181 | 182 | Promise.all([startRenderer(), startMain()]) 183 | .then(() => { 184 | startElectron() 185 | }) 186 | .catch(err => { 187 | console.error(err) 188 | }) 189 | } 190 | 191 | init() 192 | -------------------------------------------------------------------------------- /.electron-vue/webpack.main.config.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | 3 | process.env.BABEL_ENV = 'main' 4 | 5 | const path = require('path') 6 | const { dependencies } = require('../package.json') 7 | const webpack = require('webpack') 8 | 9 | const MinifyPlugin = require("babel-minify-webpack-plugin") 10 | 11 | let mainConfig = { 12 | entry: { 13 | main: path.join(__dirname, '../src/main/index.js') 14 | }, 15 | externals: [ 16 | ...Object.keys(dependencies || {}) 17 | ], 18 | module: { 19 | rules: [ 20 | { 21 | test: /\.(js)$/, 22 | enforce: 'pre', 23 | exclude: /node_modules/, 24 | use: { 25 | loader: 'eslint-loader', 26 | options: { 27 | formatter: require('eslint-friendly-formatter') 28 | } 29 | } 30 | }, 31 | { 32 | test: /\.js$/, 33 | use: 'babel-loader', 34 | exclude: /node_modules/ 35 | }, 36 | { 37 | test: /\.node$/, 38 | use: 'node-loader' 39 | } 40 | ] 41 | }, 42 | node: { 43 | __dirname: process.env.NODE_ENV !== 'production', 44 | __filename: process.env.NODE_ENV !== 'production' 45 | }, 46 | output: { 47 | filename: '[name].js', 48 | libraryTarget: 'commonjs2', 49 | path: path.join(__dirname, '../dist/electron') 50 | }, 51 | plugins: [ 52 | new webpack.NoEmitOnErrorsPlugin() 53 | ], 54 | resolve: { 55 | extensions: ['.js', '.json', '.node'] 56 | }, 57 | target: 'electron-main' 58 | } 59 | 60 | /** 61 | * Adjust mainConfig for development settings 62 | */ 63 | if (process.env.NODE_ENV !== 'production') { 64 | mainConfig.plugins.push( 65 | new webpack.DefinePlugin({ 66 | '__static': `"${path.join(__dirname, '../static').replace(/\\/g, '\\\\')}"` 67 | }) 68 | ) 69 | } 70 | 71 | /** 72 | * Adjust mainConfig for production settings 73 | */ 74 | if (process.env.NODE_ENV === 'production') { 75 | mainConfig.plugins.push( 76 | new MinifyPlugin(), 77 | new webpack.DefinePlugin({ 78 | 'process.env.NODE_ENV': '"production"' 79 | }) 80 | ) 81 | } 82 | 83 | module.exports = mainConfig 84 | -------------------------------------------------------------------------------- /.electron-vue/webpack.renderer.config.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | 3 | process.env.BABEL_ENV = 'renderer' 4 | 5 | const path = require('path') 6 | const { dependencies } = require('../package.json') 7 | const webpack = require('webpack') 8 | 9 | const MinifyPlugin = require("babel-minify-webpack-plugin") 10 | const CopyWebpackPlugin = require('copy-webpack-plugin') 11 | const MiniCssExtractPlugin = require('mini-css-extract-plugin') 12 | const HtmlWebpackPlugin = require('html-webpack-plugin') 13 | const { VueLoaderPlugin } = require('vue-loader') 14 | 15 | /** 16 | * List of node_modules to include in webpack bundle 17 | * 18 | * Required for specific packages like Vue UI libraries 19 | * that provide pure *.vue files that need compiling 20 | * https://simulatedgreg.gitbooks.io/electron-vue/content/en/webpack-configurations.html#white-listing-externals 21 | */ 22 | let whiteListedModules = ['vue', 'element-ui'] 23 | 24 | let rendererConfig = { 25 | devtool: '#cheap-module-eval-source-map', 26 | entry: { 27 | renderer: path.join(__dirname, '../src/renderer/main.js') 28 | }, 29 | externals: [ 30 | ...Object.keys(dependencies || {}).filter(d => !whiteListedModules.includes(d)) 31 | ], 32 | module: { 33 | rules: [ 34 | { 35 | test: /\.(js|vue)$/, 36 | enforce: 'pre', 37 | exclude: /node_modules/, 38 | use: { 39 | loader: 'eslint-loader', 40 | options: { 41 | formatter: require('eslint-friendly-formatter') 42 | } 43 | } 44 | }, 45 | { 46 | test: /\.less$/, 47 | use: ['vue-style-loader', 'css-loader', 'less-loader'] 48 | }, 49 | { 50 | test: /\.css$/, 51 | use: ['vue-style-loader', 'css-loader'] 52 | }, 53 | { 54 | test: /\.html$/, 55 | use: 'vue-html-loader' 56 | }, 57 | { 58 | test: /\.js$/, 59 | use: 'babel-loader', 60 | exclude: /node_modules/ 61 | }, 62 | { 63 | test: /\.node$/, 64 | use: 'node-loader' 65 | }, 66 | { 67 | test: /\.vue$/, 68 | use: { 69 | loader: 'vue-loader', 70 | options: { 71 | extractCSS: process.env.NODE_ENV === 'production', 72 | loaders: { 73 | sass: 'vue-style-loader!css-loader!sass-loader?indentedSyntax=1', 74 | scss: 'vue-style-loader!css-loader!sass-loader', 75 | less: 'vue-style-loader!css-loader!less-loader' 76 | } 77 | } 78 | } 79 | }, 80 | { 81 | test: /\.(png|jpe?g|gif|svg)(\?.*)?$/, 82 | use: { 83 | loader: 'url-loader', 84 | query: { 85 | limit: 10000, 86 | name: 'imgs/[name]--[folder].[ext]' 87 | } 88 | } 89 | }, 90 | { 91 | test: /\.(mp4|webm|ogg|mp3|wav|flac|aac)(\?.*)?$/, 92 | loader: 'url-loader', 93 | options: { 94 | limit: 10000, 95 | name: 'media/[name]--[folder].[ext]' 96 | } 97 | }, 98 | { 99 | test: /\.(woff2?|eot|ttf|otf)(\?.*)?$/, 100 | use: { 101 | loader: 'url-loader', 102 | query: { 103 | limit: 10000, 104 | name: 'fonts/[name]--[folder].[ext]' 105 | } 106 | } 107 | } 108 | ] 109 | }, 110 | node: { 111 | __dirname: process.env.NODE_ENV !== 'production', 112 | __filename: process.env.NODE_ENV !== 'production' 113 | }, 114 | plugins: [ 115 | new VueLoaderPlugin(), 116 | new MiniCssExtractPlugin({filename: 'styles.css'}), 117 | new HtmlWebpackPlugin({ 118 | filename: 'index.html', 119 | template: path.resolve(__dirname, '../src/index.ejs'), 120 | templateParameters(compilation, assets, options) { 121 | return { 122 | compilation: compilation, 123 | webpack: compilation.getStats().toJson(), 124 | webpackConfig: compilation.options, 125 | htmlWebpackPlugin: { 126 | files: assets, 127 | options: options, 128 | }, 129 | process, 130 | }; 131 | }, 132 | minify: { 133 | collapseWhitespace: true, 134 | removeAttributeQuotes: true, 135 | removeComments: true 136 | }, 137 | nodeModules: process.env.NODE_ENV !== 'production' 138 | ? path.resolve(__dirname, '../node_modules') 139 | : false 140 | }), 141 | new webpack.NoEmitOnErrorsPlugin() 142 | ], 143 | output: { 144 | filename: '[name].js', 145 | libraryTarget: 'commonjs2', 146 | path: path.join(__dirname, '../dist/electron') 147 | }, 148 | resolve: { 149 | alias: { 150 | '@': path.join(__dirname, '../src/renderer'), 151 | 'vue$': 'vue/dist/vue.esm.js' 152 | }, 153 | extensions: ['.js', '.vue', '.json', '.css', '.node'] 154 | }, 155 | target: 'electron-renderer' 156 | } 157 | 158 | /** 159 | * Adjust rendererConfig for development settings 160 | */ 161 | if (process.env.NODE_ENV !== 'production') { 162 | rendererConfig.plugins.push( 163 | new webpack.HotModuleReplacementPlugin(), 164 | new webpack.DefinePlugin({ 165 | '__static': `"${path.join(__dirname, '../static').replace(/\\/g, '\\\\')}"` 166 | }) 167 | ) 168 | } 169 | 170 | /** 171 | * Adjust rendererConfig for production settings 172 | */ 173 | if (process.env.NODE_ENV === 'production') { 174 | rendererConfig.devtool = '' 175 | 176 | rendererConfig.plugins.push( 177 | new MinifyPlugin(), 178 | new CopyWebpackPlugin([ 179 | { 180 | from: path.join(__dirname, '../static'), 181 | to: path.join(__dirname, '../dist/electron/static'), 182 | ignore: ['.*'] 183 | } 184 | ]), 185 | new webpack.DefinePlugin({ 186 | 'process.env.NODE_ENV': '"production"' 187 | }), 188 | new webpack.LoaderOptionsPlugin({ 189 | minimize: true 190 | }) 191 | ) 192 | } 193 | 194 | module.exports = rendererConfig 195 | -------------------------------------------------------------------------------- /.electron-vue/webpack.web.config.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | 3 | process.env.BABEL_ENV = 'web' 4 | 5 | const path = require('path') 6 | const webpack = require('webpack') 7 | 8 | const MinifyPlugin = require("babel-minify-webpack-plugin") 9 | const CopyWebpackPlugin = require('copy-webpack-plugin') 10 | const MiniCssExtractPlugin = require('mini-css-extract-plugin') 11 | const HtmlWebpackPlugin = require('html-webpack-plugin') 12 | const { VueLoaderPlugin } = require('vue-loader') 13 | 14 | let webConfig = { 15 | devtool: '#cheap-module-eval-source-map', 16 | entry: { 17 | web: path.join(__dirname, '../src/renderer/main.js') 18 | }, 19 | module: { 20 | rules: [ 21 | { 22 | test: /\.(js|vue)$/, 23 | enforce: 'pre', 24 | exclude: /node_modules/, 25 | use: { 26 | loader: 'eslint-loader', 27 | options: { 28 | formatter: require('eslint-friendly-formatter') 29 | } 30 | } 31 | }, 32 | { 33 | test: /\.less$/, 34 | use: ['vue-style-loader', 'css-loader', 'less-loader'] 35 | }, 36 | { 37 | test: /\.css$/, 38 | use: ['vue-style-loader', 'css-loader'] 39 | }, 40 | { 41 | test: /\.html$/, 42 | use: 'vue-html-loader' 43 | }, 44 | { 45 | test: /\.js$/, 46 | use: 'babel-loader', 47 | include: [ path.resolve(__dirname, '../src/renderer') ], 48 | exclude: /node_modules/ 49 | }, 50 | { 51 | test: /\.vue$/, 52 | use: { 53 | loader: 'vue-loader', 54 | options: { 55 | extractCSS: true, 56 | loaders: { 57 | sass: 'vue-style-loader!css-loader!sass-loader?indentedSyntax=1', 58 | scss: 'vue-style-loader!css-loader!sass-loader', 59 | less: 'vue-style-loader!css-loader!less-loader' 60 | } 61 | } 62 | } 63 | }, 64 | { 65 | test: /\.(png|jpe?g|gif|svg)(\?.*)?$/, 66 | use: { 67 | loader: 'url-loader', 68 | query: { 69 | limit: 10000, 70 | name: 'imgs/[name].[ext]' 71 | } 72 | } 73 | }, 74 | { 75 | test: /\.(woff2?|eot|ttf|otf)(\?.*)?$/, 76 | use: { 77 | loader: 'url-loader', 78 | query: { 79 | limit: 10000, 80 | name: 'fonts/[name].[ext]' 81 | } 82 | } 83 | } 84 | ] 85 | }, 86 | plugins: [ 87 | new VueLoaderPlugin(), 88 | new MiniCssExtractPlugin({filename: 'styles.css'}), 89 | new HtmlWebpackPlugin({ 90 | filename: 'index.html', 91 | template: path.resolve(__dirname, '../src/index.ejs'), 92 | templateParameters(compilation, assets, options) { 93 | return { 94 | compilation: compilation, 95 | webpack: compilation.getStats().toJson(), 96 | webpackConfig: compilation.options, 97 | htmlWebpackPlugin: { 98 | files: assets, 99 | options: options, 100 | }, 101 | process, 102 | }; 103 | }, 104 | minify: { 105 | collapseWhitespace: true, 106 | removeAttributeQuotes: true, 107 | removeComments: true 108 | }, 109 | nodeModules: false 110 | }), 111 | new webpack.DefinePlugin({ 112 | 'process.env.IS_WEB': 'true' 113 | }), 114 | new webpack.HotModuleReplacementPlugin(), 115 | new webpack.NoEmitOnErrorsPlugin() 116 | ], 117 | output: { 118 | filename: '[name].js', 119 | path: path.join(__dirname, '../dist/web') 120 | }, 121 | resolve: { 122 | alias: { 123 | '@': path.join(__dirname, '../src/renderer'), 124 | 'vue$': 'vue/dist/vue.esm.js' 125 | }, 126 | extensions: ['.js', '.vue', '.json', '.css'] 127 | }, 128 | target: 'web' 129 | } 130 | 131 | /** 132 | * Adjust webConfig for production settings 133 | */ 134 | if (process.env.NODE_ENV === 'production') { 135 | webConfig.devtool = '' 136 | 137 | webConfig.plugins.push( 138 | new MinifyPlugin(), 139 | new CopyWebpackPlugin([ 140 | { 141 | from: path.join(__dirname, '../static'), 142 | to: path.join(__dirname, '../dist/web/static'), 143 | ignore: ['.*'] 144 | } 145 | ]), 146 | new webpack.DefinePlugin({ 147 | 'process.env.NODE_ENV': '"production"' 148 | }), 149 | new webpack.LoaderOptionsPlugin({ 150 | minimize: true 151 | }) 152 | ) 153 | } 154 | 155 | module.exports = webConfig 156 | -------------------------------------------------------------------------------- /.eslintignore: -------------------------------------------------------------------------------- 1 | /src/main/** -------------------------------------------------------------------------------- /.eslintrc.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | root: true, 3 | parser: 'babel-eslint', 4 | parserOptions: { 5 | sourceType: 'module' 6 | }, 7 | env: { 8 | browser: true, 9 | node: true 10 | }, 11 | extends: [ 12 | 'standard' 13 | ], 14 | globals: { 15 | __static: true 16 | }, 17 | plugins: [ 18 | 'html' 19 | ], 20 | 'rules': { 21 | // allow paren-less arrow functions 22 | 'arrow-parens': 0, 23 | // allow async-await 24 | 'generator-star-spacing': 0, 25 | // allow debugger during development 26 | 'no-debugger': process.env.NODE_ENV === 'production' ? 2 : 0 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | .DS_Store 2 | dist/electron/* 3 | dist/web/* 4 | build/* 5 | !build/icons 6 | node_modules/ 7 | npm-debug.log 8 | .idea 9 | npm-debug.log.* 10 | thumbs.db 11 | !.gitkeep 12 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | osx_image: xcode8.3 2 | sudo: required 3 | dist: trusty 4 | language: c 5 | matrix: 6 | include: 7 | - os: osx 8 | - os: linux 9 | env: CC=clang CXX=clang++ npm_config_clang=1 10 | compiler: clang 11 | cache: 12 | directories: 13 | - node_modules 14 | - "$HOME/.electron" 15 | - "$HOME/.cache" 16 | addons: 17 | apt: 18 | packages: 19 | - libgnome-keyring-dev 20 | - icnsutils 21 | before_install: 22 | - mkdir -p /tmp/git-lfs && curl -L https://github.com/github/git-lfs/releases/download/v1.2.1/git-lfs-$([ 23 | "$TRAVIS_OS_NAME" == "linux" ] && echo "linux" || echo "darwin")-amd64-1.2.1.tar.gz 24 | | tar -xz -C /tmp/git-lfs --strip-components 1 && /tmp/git-lfs/git-lfs pull 25 | - if [[ "$TRAVIS_OS_NAME" == "linux" ]]; then sudo apt-get install --no-install-recommends -y icnsutils graphicsmagick xz-utils; fi 26 | install: 27 | - nvm install 7 28 | - curl -o- -L https://yarnpkg.com/install.sh | bash 29 | - source ~/.bashrc 30 | - npm install -g xvfb-maybe 31 | - yarn 32 | script: 33 | - yarn run build 34 | branches: 35 | only: 36 | - master 37 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU GENERAL PUBLIC LICENSE 2 | Version 3, 29 June 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | Preamble 9 | 10 | The GNU General Public License is a free, copyleft license for 11 | software and other kinds of works. 12 | 13 | The licenses for most software and other practical works are designed 14 | to take away your freedom to share and change the works. By contrast, 15 | the GNU General Public License is intended to guarantee your freedom to 16 | share and change all versions of a program--to make sure it remains free 17 | software for all its users. We, the Free Software Foundation, use the 18 | GNU General Public License for most of our software; it applies also to 19 | any other work released this way by its authors. You can apply it to 20 | your programs, too. 21 | 22 | When we speak of free software, we are referring to freedom, not 23 | price. Our General Public Licenses are designed to make sure that you 24 | have the freedom to distribute copies of free software (and charge for 25 | them if you wish), that you receive source code or can get it if you 26 | want it, that you can change the software or use pieces of it in new 27 | free programs, and that you know you can do these things. 28 | 29 | To protect your rights, we need to prevent others from denying you 30 | these rights or asking you to surrender the rights. Therefore, you have 31 | certain responsibilities if you distribute copies of the software, or if 32 | you modify it: responsibilities to respect the freedom of others. 33 | 34 | For example, if you distribute copies of such a program, whether 35 | gratis or for a fee, you must pass on to the recipients the same 36 | freedoms that you received. You must make sure that they, too, receive 37 | or can get the source code. And you must show them these terms so they 38 | know their rights. 39 | 40 | Developers that use the GNU GPL protect your rights with two steps: 41 | (1) assert copyright on the software, and (2) offer you this License 42 | giving you legal permission to copy, distribute and/or modify it. 43 | 44 | For the developers' and authors' protection, the GPL clearly explains 45 | that there is no warranty for this free software. For both users' and 46 | authors' sake, the GPL requires that modified versions be marked as 47 | changed, so that their problems will not be attributed erroneously to 48 | authors of previous versions. 49 | 50 | Some devices are designed to deny users access to install or run 51 | modified versions of the software inside them, although the manufacturer 52 | can do so. This is fundamentally incompatible with the aim of 53 | protecting users' freedom to change the software. The systematic 54 | pattern of such abuse occurs in the area of products for individuals to 55 | use, which is precisely where it is most unacceptable. Therefore, we 56 | have designed this version of the GPL to prohibit the practice for those 57 | products. If such problems arise substantially in other domains, we 58 | stand ready to extend this provision to those domains in future versions 59 | of the GPL, as needed to protect the freedom of users. 60 | 61 | Finally, every program is threatened constantly by software patents. 62 | States should not allow patents to restrict development and use of 63 | software on general-purpose computers, but in those that do, we wish to 64 | avoid the special danger that patents applied to a free program could 65 | make it effectively proprietary. To prevent this, the GPL assures that 66 | patents cannot be used to render the program non-free. 67 | 68 | The precise terms and conditions for copying, distribution and 69 | modification follow. 70 | 71 | TERMS AND CONDITIONS 72 | 73 | 0. Definitions. 74 | 75 | "This License" refers to version 3 of the GNU General Public License. 76 | 77 | "Copyright" also means copyright-like laws that apply to other kinds of 78 | works, such as semiconductor masks. 79 | 80 | "The Program" refers to any copyrightable work licensed under this 81 | License. Each licensee is addressed as "you". "Licensees" and 82 | "recipients" may be individuals or organizations. 83 | 84 | To "modify" a work means to copy from or adapt all or part of the work 85 | in a fashion requiring copyright permission, other than the making of an 86 | exact copy. The resulting work is called a "modified version" of the 87 | earlier work or a work "based on" the earlier work. 88 | 89 | A "covered work" means either the unmodified Program or a work based 90 | on the Program. 91 | 92 | To "propagate" a work means to do anything with it that, without 93 | permission, would make you directly or secondarily liable for 94 | infringement under applicable copyright law, except executing it on a 95 | computer or modifying a private copy. Propagation includes copying, 96 | distribution (with or without modification), making available to the 97 | public, and in some countries other activities as well. 98 | 99 | To "convey" a work means any kind of propagation that enables other 100 | parties to make or receive copies. Mere interaction with a user through 101 | a computer network, with no transfer of a copy, is not conveying. 102 | 103 | An interactive user interface displays "Appropriate Legal Notices" 104 | to the extent that it includes a convenient and prominently visible 105 | feature that (1) displays an appropriate copyright notice, and (2) 106 | tells the user that there is no warranty for the work (except to the 107 | extent that warranties are provided), that licensees may convey the 108 | work under this License, and how to view a copy of this License. If 109 | the interface presents a list of user commands or options, such as a 110 | menu, a prominent item in the list meets this criterion. 111 | 112 | 1. Source Code. 113 | 114 | The "source code" for a work means the preferred form of the work 115 | for making modifications to it. "Object code" means any non-source 116 | form of a work. 117 | 118 | A "Standard Interface" means an interface that either is an official 119 | standard defined by a recognized standards body, or, in the case of 120 | interfaces specified for a particular programming language, one that 121 | is widely used among developers working in that language. 122 | 123 | The "System Libraries" of an executable work include anything, other 124 | than the work as a whole, that (a) is included in the normal form of 125 | packaging a Major Component, but which is not part of that Major 126 | Component, and (b) serves only to enable use of the work with that 127 | Major Component, or to implement a Standard Interface for which an 128 | implementation is available to the public in source code form. A 129 | "Major Component", in this context, means a major essential component 130 | (kernel, window system, and so on) of the specific operating system 131 | (if any) on which the executable work runs, or a compiler used to 132 | produce the work, or an object code interpreter used to run it. 133 | 134 | The "Corresponding Source" for a work in object code form means all 135 | the source code needed to generate, install, and (for an executable 136 | work) run the object code and to modify the work, including scripts to 137 | control those activities. However, it does not include the work's 138 | System Libraries, or general-purpose tools or generally available free 139 | programs which are used unmodified in performing those activities but 140 | which are not part of the work. For example, Corresponding Source 141 | includes interface definition files associated with source files for 142 | the work, and the source code for shared libraries and dynamically 143 | linked subprograms that the work is specifically designed to require, 144 | such as by intimate data communication or control flow between those 145 | subprograms and other parts of the work. 146 | 147 | The Corresponding Source need not include anything that users 148 | can regenerate automatically from other parts of the Corresponding 149 | Source. 150 | 151 | The Corresponding Source for a work in source code form is that 152 | same work. 153 | 154 | 2. Basic Permissions. 155 | 156 | All rights granted under this License are granted for the term of 157 | copyright on the Program, and are irrevocable provided the stated 158 | conditions are met. This License explicitly affirms your unlimited 159 | permission to run the unmodified Program. The output from running a 160 | covered work is covered by this License only if the output, given its 161 | content, constitutes a covered work. This License acknowledges your 162 | rights of fair use or other equivalent, as provided by copyright law. 163 | 164 | You may make, run and propagate covered works that you do not 165 | convey, without conditions so long as your license otherwise remains 166 | in force. You may convey covered works to others for the sole purpose 167 | of having them make modifications exclusively for you, or provide you 168 | with facilities for running those works, provided that you comply with 169 | the terms of this License in conveying all material for which you do 170 | not control copyright. Those thus making or running the covered works 171 | for you must do so exclusively on your behalf, under your direction 172 | and control, on terms that prohibit them from making any copies of 173 | your copyrighted material outside their relationship with you. 174 | 175 | Conveying under any other circumstances is permitted solely under 176 | the conditions stated below. Sublicensing is not allowed; section 10 177 | makes it unnecessary. 178 | 179 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 180 | 181 | No covered work shall be deemed part of an effective technological 182 | measure under any applicable law fulfilling obligations under article 183 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 184 | similar laws prohibiting or restricting circumvention of such 185 | measures. 186 | 187 | When you convey a covered work, you waive any legal power to forbid 188 | circumvention of technological measures to the extent such circumvention 189 | is effected by exercising rights under this License with respect to 190 | the covered work, and you disclaim any intention to limit operation or 191 | modification of the work as a means of enforcing, against the work's 192 | users, your or third parties' legal rights to forbid circumvention of 193 | technological measures. 194 | 195 | 4. Conveying Verbatim Copies. 196 | 197 | You may convey verbatim copies of the Program's source code as you 198 | receive it, in any medium, provided that you conspicuously and 199 | appropriately publish on each copy an appropriate copyright notice; 200 | keep intact all notices stating that this License and any 201 | non-permissive terms added in accord with section 7 apply to the code; 202 | keep intact all notices of the absence of any warranty; and give all 203 | recipients a copy of this License along with the Program. 204 | 205 | You may charge any price or no price for each copy that you convey, 206 | and you may offer support or warranty protection for a fee. 207 | 208 | 5. Conveying Modified Source Versions. 209 | 210 | You may convey a work based on the Program, or the modifications to 211 | produce it from the Program, in the form of source code under the 212 | terms of section 4, provided that you also meet all of these conditions: 213 | 214 | a) The work must carry prominent notices stating that you modified 215 | it, and giving a relevant date. 216 | 217 | b) The work must carry prominent notices stating that it is 218 | released under this License and any conditions added under section 219 | 7. This requirement modifies the requirement in section 4 to 220 | "keep intact all notices". 221 | 222 | c) You must license the entire work, as a whole, under this 223 | License to anyone who comes into possession of a copy. This 224 | License will therefore apply, along with any applicable section 7 225 | additional terms, to the whole of the work, and all its parts, 226 | regardless of how they are packaged. This License gives no 227 | permission to license the work in any other way, but it does not 228 | invalidate such permission if you have separately received it. 229 | 230 | d) If the work has interactive user interfaces, each must display 231 | Appropriate Legal Notices; however, if the Program has interactive 232 | interfaces that do not display Appropriate Legal Notices, your 233 | work need not make them do so. 234 | 235 | A compilation of a covered work with other separate and independent 236 | works, which are not by their nature extensions of the covered work, 237 | and which are not combined with it such as to form a larger program, 238 | in or on a volume of a storage or distribution medium, is called an 239 | "aggregate" if the compilation and its resulting copyright are not 240 | used to limit the access or legal rights of the compilation's users 241 | beyond what the individual works permit. Inclusion of a covered work 242 | in an aggregate does not cause this License to apply to the other 243 | parts of the aggregate. 244 | 245 | 6. Conveying Non-Source Forms. 246 | 247 | You may convey a covered work in object code form under the terms 248 | of sections 4 and 5, provided that you also convey the 249 | machine-readable Corresponding Source under the terms of this License, 250 | in one of these ways: 251 | 252 | a) Convey the object code in, or embodied in, a physical product 253 | (including a physical distribution medium), accompanied by the 254 | Corresponding Source fixed on a durable physical medium 255 | customarily used for software interchange. 256 | 257 | b) Convey the object code in, or embodied in, a physical product 258 | (including a physical distribution medium), accompanied by a 259 | written offer, valid for at least three years and valid for as 260 | long as you offer spare parts or customer support for that product 261 | model, to give anyone who possesses the object code either (1) a 262 | copy of the Corresponding Source for all the software in the 263 | product that is covered by this License, on a durable physical 264 | medium customarily used for software interchange, for a price no 265 | more than your reasonable cost of physically performing this 266 | conveying of source, or (2) access to copy the 267 | Corresponding Source from a network server at no charge. 268 | 269 | c) Convey individual copies of the object code with a copy of the 270 | written offer to provide the Corresponding Source. This 271 | alternative is allowed only occasionally and noncommercially, and 272 | only if you received the object code with such an offer, in accord 273 | with subsection 6b. 274 | 275 | d) Convey the object code by offering access from a designated 276 | place (gratis or for a charge), and offer equivalent access to the 277 | Corresponding Source in the same way through the same place at no 278 | further charge. You need not require recipients to copy the 279 | Corresponding Source along with the object code. If the place to 280 | copy the object code is a network server, the Corresponding Source 281 | may be on a different server (operated by you or a third party) 282 | that supports equivalent copying facilities, provided you maintain 283 | clear directions next to the object code saying where to find the 284 | Corresponding Source. Regardless of what server hosts the 285 | Corresponding Source, you remain obligated to ensure that it is 286 | available for as long as needed to satisfy these requirements. 287 | 288 | e) Convey the object code using peer-to-peer transmission, provided 289 | you inform other peers where the object code and Corresponding 290 | Source of the work are being offered to the general public at no 291 | charge under subsection 6d. 292 | 293 | A separable portion of the object code, whose source code is excluded 294 | from the Corresponding Source as a System Library, need not be 295 | included in conveying the object code work. 296 | 297 | A "User Product" is either (1) a "consumer product", which means any 298 | tangible personal property which is normally used for personal, family, 299 | or household purposes, or (2) anything designed or sold for incorporation 300 | into a dwelling. In determining whether a product is a consumer product, 301 | doubtful cases shall be resolved in favor of coverage. For a particular 302 | product received by a particular user, "normally used" refers to a 303 | typical or common use of that class of product, regardless of the status 304 | of the particular user or of the way in which the particular user 305 | actually uses, or expects or is expected to use, the product. A product 306 | is a consumer product regardless of whether the product has substantial 307 | commercial, industrial or non-consumer uses, unless such uses represent 308 | the only significant mode of use of the product. 309 | 310 | "Installation Information" for a User Product means any methods, 311 | procedures, authorization keys, or other information required to install 312 | and execute modified versions of a covered work in that User Product from 313 | a modified version of its Corresponding Source. The information must 314 | suffice to ensure that the continued functioning of the modified object 315 | code is in no case prevented or interfered with solely because 316 | modification has been made. 317 | 318 | If you convey an object code work under this section in, or with, or 319 | specifically for use in, a User Product, and the conveying occurs as 320 | part of a transaction in which the right of possession and use of the 321 | User Product is transferred to the recipient in perpetuity or for a 322 | fixed term (regardless of how the transaction is characterized), the 323 | Corresponding Source conveyed under this section must be accompanied 324 | by the Installation Information. But this requirement does not apply 325 | if neither you nor any third party retains the ability to install 326 | modified object code on the User Product (for example, the work has 327 | been installed in ROM). 328 | 329 | The requirement to provide Installation Information does not include a 330 | requirement to continue to provide support service, warranty, or updates 331 | for a work that has been modified or installed by the recipient, or for 332 | the User Product in which it has been modified or installed. Access to a 333 | network may be denied when the modification itself materially and 334 | adversely affects the operation of the network or violates the rules and 335 | protocols for communication across the network. 336 | 337 | Corresponding Source conveyed, and Installation Information provided, 338 | in accord with this section must be in a format that is publicly 339 | documented (and with an implementation available to the public in 340 | source code form), and must require no special password or key for 341 | unpacking, reading or copying. 342 | 343 | 7. Additional Terms. 344 | 345 | "Additional permissions" are terms that supplement the terms of this 346 | License by making exceptions from one or more of its conditions. 347 | Additional permissions that are applicable to the entire Program shall 348 | be treated as though they were included in this License, to the extent 349 | that they are valid under applicable law. If additional permissions 350 | apply only to part of the Program, that part may be used separately 351 | under those permissions, but the entire Program remains governed by 352 | this License without regard to the additional permissions. 353 | 354 | When you convey a copy of a covered work, you may at your option 355 | remove any additional permissions from that copy, or from any part of 356 | it. (Additional permissions may be written to require their own 357 | removal in certain cases when you modify the work.) You may place 358 | additional permissions on material, added by you to a covered work, 359 | for which you have or can give appropriate copyright permission. 360 | 361 | Notwithstanding any other provision of this License, for material you 362 | add to a covered work, you may (if authorized by the copyright holders of 363 | that material) supplement the terms of this License with terms: 364 | 365 | a) Disclaiming warranty or limiting liability differently from the 366 | terms of sections 15 and 16 of this License; or 367 | 368 | b) Requiring preservation of specified reasonable legal notices or 369 | author attributions in that material or in the Appropriate Legal 370 | Notices displayed by works containing it; or 371 | 372 | c) Prohibiting misrepresentation of the origin of that material, or 373 | requiring that modified versions of such material be marked in 374 | reasonable ways as different from the original version; or 375 | 376 | d) Limiting the use for publicity purposes of names of licensors or 377 | authors of the material; or 378 | 379 | e) Declining to grant rights under trademark law for use of some 380 | trade names, trademarks, or service marks; or 381 | 382 | f) Requiring indemnification of licensors and authors of that 383 | material by anyone who conveys the material (or modified versions of 384 | it) with contractual assumptions of liability to the recipient, for 385 | any liability that these contractual assumptions directly impose on 386 | those licensors and authors. 387 | 388 | All other non-permissive additional terms are considered "further 389 | restrictions" within the meaning of section 10. If the Program as you 390 | received it, or any part of it, contains a notice stating that it is 391 | governed by this License along with a term that is a further 392 | restriction, you may remove that term. If a license document contains 393 | a further restriction but permits relicensing or conveying under this 394 | License, you may add to a covered work material governed by the terms 395 | of that license document, provided that the further restriction does 396 | not survive such relicensing or conveying. 397 | 398 | If you add terms to a covered work in accord with this section, you 399 | must place, in the relevant source files, a statement of the 400 | additional terms that apply to those files, or a notice indicating 401 | where to find the applicable terms. 402 | 403 | Additional terms, permissive or non-permissive, may be stated in the 404 | form of a separately written license, or stated as exceptions; 405 | the above requirements apply either way. 406 | 407 | 8. Termination. 408 | 409 | You may not propagate or modify a covered work except as expressly 410 | provided under this License. Any attempt otherwise to propagate or 411 | modify it is void, and will automatically terminate your rights under 412 | this License (including any patent licenses granted under the third 413 | paragraph of section 11). 414 | 415 | However, if you cease all violation of this License, then your 416 | license from a particular copyright holder is reinstated (a) 417 | provisionally, unless and until the copyright holder explicitly and 418 | finally terminates your license, and (b) permanently, if the copyright 419 | holder fails to notify you of the violation by some reasonable means 420 | prior to 60 days after the cessation. 421 | 422 | Moreover, your license from a particular copyright holder is 423 | reinstated permanently if the copyright holder notifies you of the 424 | violation by some reasonable means, this is the first time you have 425 | received notice of violation of this License (for any work) from that 426 | copyright holder, and you cure the violation prior to 30 days after 427 | your receipt of the notice. 428 | 429 | Termination of your rights under this section does not terminate the 430 | licenses of parties who have received copies or rights from you under 431 | this License. If your rights have been terminated and not permanently 432 | reinstated, you do not qualify to receive new licenses for the same 433 | material under section 10. 434 | 435 | 9. Acceptance Not Required for Having Copies. 436 | 437 | You are not required to accept this License in order to receive or 438 | run a copy of the Program. Ancillary propagation of a covered work 439 | occurring solely as a consequence of using peer-to-peer transmission 440 | to receive a copy likewise does not require acceptance. However, 441 | nothing other than this License grants you permission to propagate or 442 | modify any covered work. These actions infringe copyright if you do 443 | not accept this License. Therefore, by modifying or propagating a 444 | covered work, you indicate your acceptance of this License to do so. 445 | 446 | 10. Automatic Licensing of Downstream Recipients. 447 | 448 | Each time you convey a covered work, the recipient automatically 449 | receives a license from the original licensors, to run, modify and 450 | propagate that work, subject to this License. You are not responsible 451 | for enforcing compliance by third parties with this License. 452 | 453 | An "entity transaction" is a transaction transferring control of an 454 | organization, or substantially all assets of one, or subdividing an 455 | organization, or merging organizations. If propagation of a covered 456 | work results from an entity transaction, each party to that 457 | transaction who receives a copy of the work also receives whatever 458 | licenses to the work the party's predecessor in interest had or could 459 | give under the previous paragraph, plus a right to possession of the 460 | Corresponding Source of the work from the predecessor in interest, if 461 | the predecessor has it or can get it with reasonable efforts. 462 | 463 | You may not impose any further restrictions on the exercise of the 464 | rights granted or affirmed under this License. For example, you may 465 | not impose a license fee, royalty, or other charge for exercise of 466 | rights granted under this License, and you may not initiate litigation 467 | (including a cross-claim or counterclaim in a lawsuit) alleging that 468 | any patent claim is infringed by making, using, selling, offering for 469 | sale, or importing the Program or any portion of it. 470 | 471 | 11. Patents. 472 | 473 | A "contributor" is a copyright holder who authorizes use under this 474 | License of the Program or a work on which the Program is based. The 475 | work thus licensed is called the contributor's "contributor version". 476 | 477 | A contributor's "essential patent claims" are all patent claims 478 | owned or controlled by the contributor, whether already acquired or 479 | hereafter acquired, that would be infringed by some manner, permitted 480 | by this License, of making, using, or selling its contributor version, 481 | but do not include claims that would be infringed only as a 482 | consequence of further modification of the contributor version. For 483 | purposes of this definition, "control" includes the right to grant 484 | patent sublicenses in a manner consistent with the requirements of 485 | this License. 486 | 487 | Each contributor grants you a non-exclusive, worldwide, royalty-free 488 | patent license under the contributor's essential patent claims, to 489 | make, use, sell, offer for sale, import and otherwise run, modify and 490 | propagate the contents of its contributor version. 491 | 492 | In the following three paragraphs, a "patent license" is any express 493 | agreement or commitment, however denominated, not to enforce a patent 494 | (such as an express permission to practice a patent or covenant not to 495 | sue for patent infringement). To "grant" such a patent license to a 496 | party means to make such an agreement or commitment not to enforce a 497 | patent against the party. 498 | 499 | If you convey a covered work, knowingly relying on a patent license, 500 | and the Corresponding Source of the work is not available for anyone 501 | to copy, free of charge and under the terms of this License, through a 502 | publicly available network server or other readily accessible means, 503 | then you must either (1) cause the Corresponding Source to be so 504 | available, or (2) arrange to deprive yourself of the benefit of the 505 | patent license for this particular work, or (3) arrange, in a manner 506 | consistent with the requirements of this License, to extend the patent 507 | license to downstream recipients. "Knowingly relying" means you have 508 | actual knowledge that, but for the patent license, your conveying the 509 | covered work in a country, or your recipient's use of the covered work 510 | in a country, would infringe one or more identifiable patents in that 511 | country that you have reason to believe are valid. 512 | 513 | If, pursuant to or in connection with a single transaction or 514 | arrangement, you convey, or propagate by procuring conveyance of, a 515 | covered work, and grant a patent license to some of the parties 516 | receiving the covered work authorizing them to use, propagate, modify 517 | or convey a specific copy of the covered work, then the patent license 518 | you grant is automatically extended to all recipients of the covered 519 | work and works based on it. 520 | 521 | A patent license is "discriminatory" if it does not include within 522 | the scope of its coverage, prohibits the exercise of, or is 523 | conditioned on the non-exercise of one or more of the rights that are 524 | specifically granted under this License. You may not convey a covered 525 | work if you are a party to an arrangement with a third party that is 526 | in the business of distributing software, under which you make payment 527 | to the third party based on the extent of your activity of conveying 528 | the work, and under which the third party grants, to any of the 529 | parties who would receive the covered work from you, a discriminatory 530 | patent license (a) in connection with copies of the covered work 531 | conveyed by you (or copies made from those copies), or (b) primarily 532 | for and in connection with specific products or compilations that 533 | contain the covered work, unless you entered into that arrangement, 534 | or that patent license was granted, prior to 28 March 2007. 535 | 536 | Nothing in this License shall be construed as excluding or limiting 537 | any implied license or other defenses to infringement that may 538 | otherwise be available to you under applicable patent law. 539 | 540 | 12. No Surrender of Others' Freedom. 541 | 542 | If conditions are imposed on you (whether by court order, agreement or 543 | otherwise) that contradict the conditions of this License, they do not 544 | excuse you from the conditions of this License. If you cannot convey a 545 | covered work so as to satisfy simultaneously your obligations under this 546 | License and any other pertinent obligations, then as a consequence you may 547 | not convey it at all. For example, if you agree to terms that obligate you 548 | to collect a royalty for further conveying from those to whom you convey 549 | the Program, the only way you could satisfy both those terms and this 550 | License would be to refrain entirely from conveying the Program. 551 | 552 | 13. Use with the GNU Affero General Public License. 553 | 554 | Notwithstanding any other provision of this License, you have 555 | permission to link or combine any covered work with a work licensed 556 | under version 3 of the GNU Affero General Public License into a single 557 | combined work, and to convey the resulting work. The terms of this 558 | License will continue to apply to the part which is the covered work, 559 | but the special requirements of the GNU Affero General Public License, 560 | section 13, concerning interaction through a network will apply to the 561 | combination as such. 562 | 563 | 14. Revised Versions of this License. 564 | 565 | The Free Software Foundation may publish revised and/or new versions of 566 | the GNU General Public License from time to time. Such new versions will 567 | be similar in spirit to the present version, but may differ in detail to 568 | address new problems or concerns. 569 | 570 | Each version is given a distinguishing version number. If the 571 | Program specifies that a certain numbered version of the GNU General 572 | Public License "or any later version" applies to it, you have the 573 | option of following the terms and conditions either of that numbered 574 | version or of any later version published by the Free Software 575 | Foundation. If the Program does not specify a version number of the 576 | GNU General Public License, you may choose any version ever published 577 | by the Free Software Foundation. 578 | 579 | If the Program specifies that a proxy can decide which future 580 | versions of the GNU General Public License can be used, that proxy's 581 | public statement of acceptance of a version permanently authorizes you 582 | to choose that version for the Program. 583 | 584 | Later license versions may give you additional or different 585 | permissions. However, no additional obligations are imposed on any 586 | author or copyright holder as a result of your choosing to follow a 587 | later version. 588 | 589 | 15. Disclaimer of Warranty. 590 | 591 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 592 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 593 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 594 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 595 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 596 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 597 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 598 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 599 | 600 | 16. Limitation of Liability. 601 | 602 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 603 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 604 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 605 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 606 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 607 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 608 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 609 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 610 | SUCH DAMAGES. 611 | 612 | 17. Interpretation of Sections 15 and 16. 613 | 614 | If the disclaimer of warranty and limitation of liability provided 615 | above cannot be given local legal effect according to their terms, 616 | reviewing courts shall apply local law that most closely approximates 617 | an absolute waiver of all civil liability in connection with the 618 | Program, unless a warranty or assumption of liability accompanies a 619 | copy of the Program in return for a fee. 620 | 621 | END OF TERMS AND CONDITIONS 622 | 623 | How to Apply These Terms to Your New Programs 624 | 625 | If you develop a new program, and you want it to be of the greatest 626 | possible use to the public, the best way to achieve this is to make it 627 | free software which everyone can redistribute and change under these terms. 628 | 629 | To do so, attach the following notices to the program. It is safest 630 | to attach them to the start of each source file to most effectively 631 | state the exclusion of warranty; and each file should have at least 632 | the "copyright" line and a pointer to where the full notice is found. 633 | 634 | 635 | Copyright (C) 636 | 637 | This program is free software: you can redistribute it and/or modify 638 | it under the terms of the GNU General Public License as published by 639 | the Free Software Foundation, either version 3 of the License, or 640 | (at your option) any later version. 641 | 642 | This program is distributed in the hope that it will be useful, 643 | but WITHOUT ANY WARRANTY; without even the implied warranty of 644 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 645 | GNU General Public License for more details. 646 | 647 | You should have received a copy of the GNU General Public License 648 | along with this program. If not, see . 649 | 650 | Also add information on how to contact you by electronic and paper mail. 651 | 652 | If the program does terminal interaction, make it output a short 653 | notice like this when it starts in an interactive mode: 654 | 655 | Copyright (C) 656 | This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. 657 | This is free software, and you are welcome to redistribute it 658 | under certain conditions; type `show c' for details. 659 | 660 | The hypothetical commands `show w' and `show c' should show the appropriate 661 | parts of the General Public License. Of course, your program's commands 662 | might be different; for a GUI interface, you would use an "about box". 663 | 664 | You should also get your employer (if you work as a programmer) or school, 665 | if any, to sign a "copyright disclaimer" for the program, if necessary. 666 | For more information on this, and how to apply and follow the GNU GPL, see 667 | . 668 | 669 | The GNU General Public License does not permit incorporating your program 670 | into proprietary programs. If your program is a subroutine library, you 671 | may consider it more useful to permit linking proprietary applications with 672 | the library. If this is what you want to do, use the GNU Lesser General 673 | Public License instead of this License. But first, please read 674 | . 675 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Kage 2 | 3 | 4 |

5 | 6 |

7 | 8 | 9 | Kage (ka-geh) is a tool inspired by [AhMyth](https://github.com/AhMyth/AhMyth-Android-RAT) designed for Metasploit RPC Server to interact with meterpreter sessions and generate payloads.
10 | For now it only supports `windows/meterpreter` & `android/meterpreter`. 11 | 12 | ## Getting Started 13 | Please follow these instructions to get a copy of Kage running on your local machine without any problems. 14 | ### Prerequisites 15 | * [Metasploit-framework](https://github.com/rapid7/metasploit-framework) must be installed and in your `PATH`: 16 | * Msfrpcd 17 | * Msfvenom 18 | * Msfdb 19 | 20 | 21 | ### Installing 22 | You can install Kage binaries from [here](https://github.com/WayzDev/Kage/releases). 23 | #### for developers 24 | to run the app from source code: 25 | ```bash 26 | # Download source code 27 | git clone https://github.com/WayzDev/Kage.git 28 | 29 | # Install dependencies and run kage 30 | cd Kage 31 | yarn # or npm install 32 | yarn run dev # or npm run dev 33 | 34 | # to build project 35 | yarn run build 36 | ``` 37 | > [electron-vue](https://simulatedgreg.gitbooks.io/electron-vue/content/en/getting_started.html) officially recommends the [yarn](https://yarnpkg.com/en/) package manager as it handles dependencies much better and can help reduce final build size with `yarn clean`. 38 | 39 | 40 | ##### For Generating APK Payload select `Raw` format in dropdown list. 41 | 42 | ## Screenshots 43 |

44 | 45 |

46 |

47 | 48 |

49 |

50 | 51 |

52 |

53 | 54 |

55 | 56 | ## Video Tutorial 57 | 58 | 59 | 60 | 61 | 62 | ## Disclaimer 63 | I will not be responsible for any direct or indirect damage caused due to the usage of this tool, it is for educational purposes only. 64 | 65 | Twitter: [@iFalah](https://twitter.com/ifalah_) 66 | 67 | Email: ifalah@protonmail.com 68 | 69 | ## Credits 70 | Metasploit Framework - (c) Rapid7 Inc. 2012 (BSD License)
71 | http://www.metasploit.com/ 72 | 73 | node-msfrpc - (c) Tomas Gonzalez Vivo. 2017 (Apache License)
74 | https://github.com/tomasgvivo/node-msfrpc 75 | 76 | electron-vue - (c) Greg Holguin. 2016 (MIT)
77 | https://github.com/SimulatedGREG/electron-vue 78 | 79 | --- 80 | 81 | This project was generated with [electron-vue](https://github.com/SimulatedGREG/electron-vue) using [vue-cli](https://github.com/vuejs/vue-cli). Documentation about the original structure can be found [here](https://simulatedgreg.gitbooks.io/electron-vue/content/index.html). 82 | -------------------------------------------------------------------------------- /appveyor.yml: -------------------------------------------------------------------------------- 1 | version: 0.1.{build} 2 | 3 | branches: 4 | only: 5 | - master 6 | 7 | image: Visual Studio 2017 8 | platform: 9 | - x64 10 | 11 | cache: 12 | - node_modules 13 | - '%APPDATA%\npm-cache' 14 | - '%USERPROFILE%\.electron' 15 | - '%USERPROFILE%\AppData\Local\Yarn\cache' 16 | 17 | init: 18 | - git config --global core.autocrlf input 19 | 20 | install: 21 | - ps: Install-Product node 8 x64 22 | - git reset --hard HEAD 23 | - yarn 24 | - node --version 25 | 26 | build_script: 27 | - yarn build 28 | 29 | test: off 30 | -------------------------------------------------------------------------------- /build/icons/512x512.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/build/icons/512x512.png -------------------------------------------------------------------------------- /build/icons/icon.icns: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/build/icons/icon.icns -------------------------------------------------------------------------------- /build/icons/icon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/build/icons/icon.png -------------------------------------------------------------------------------- /dist/electron/.gitkeep: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/dist/electron/.gitkeep -------------------------------------------------------------------------------- /dist/web/.gitkeep: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/dist/web/.gitkeep -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "kage", 3 | "version": "0.1.2-beta", 4 | "author": "WayzDev ", 5 | "description": "Metasploit GUI ", 6 | "homepage": "https://github.com/WayzDev/Kage", 7 | "license": "MIT", 8 | "main": "./dist/electron/main.js", 9 | "scripts": { 10 | "build": "node .electron-vue/build.js && electron-builder", 11 | "build:dir": "node .electron-vue/build.js && electron-builder --dir", 12 | "build:clean": "cross-env BUILD_TARGET=clean node .electron-vue/build.js", 13 | "build:web": "cross-env BUILD_TARGET=web node .electron-vue/build.js", 14 | "dev": "node .electron-vue/dev-runner.js", 15 | "lint": "eslint --ext .js,.vue -f ./node_modules/eslint-friendly-formatter src", 16 | "lint:fix": "eslint --ext .js,.vue -f ./node_modules/eslint-friendly-formatter --fix src", 17 | "pack": "npm run pack:main && npm run pack:renderer", 18 | "pack:main": "cross-env NODE_ENV=production webpack --progress --colors --config .electron-vue/webpack.main.config.js", 19 | "pack:renderer": "cross-env NODE_ENV=production webpack --progress --colors --config .electron-vue/webpack.renderer.config.js", 20 | "postinstall": "npm run lint:fix" 21 | }, 22 | "build": { 23 | "productName": "Kage", 24 | "appId": "org.wayzdev.kage", 25 | "directories": { 26 | "output": "build" 27 | }, 28 | "files": [ 29 | "dist/electron/**/*", 30 | "static/*" 31 | ], 32 | "extraFiles": [ 33 | "static" 34 | ], 35 | "dmg": { 36 | "contents": [ 37 | { 38 | "x": 410, 39 | "y": 150, 40 | "type": "link", 41 | "path": "/Applications" 42 | }, 43 | { 44 | "x": 130, 45 | "y": 150, 46 | "type": "file" 47 | } 48 | ] 49 | }, 50 | "mac": { 51 | "icon": "build/icons/icon.icns" 52 | }, 53 | "win": { 54 | "icon": "build/icons/icon.ico" 55 | }, 56 | "linux": { 57 | "icon": "build/icons", 58 | "target": [ 59 | { 60 | "target": "AppImage", 61 | "arch": [ 62 | "x64" 63 | ] 64 | } 65 | ] 66 | } 67 | }, 68 | "dependencies": { 69 | "@fortawesome/fontawesome-svg-core": "^1.2.8", 70 | "@fortawesome/free-solid-svg-icons": "^5.5.0", 71 | "@fortawesome/vue-fontawesome": "^0.1.2", 72 | "bluebird": "^3.5.3", 73 | "element-ui": "^2.5.4", 74 | "msgpack5": "^4.2.1", 75 | "vue": "^2.5.16", 76 | "axios": "^0.18.0", 77 | "vue-electron": "^1.0.6", 78 | "vue-progressbar": "^0.7.5", 79 | "vue-router": "^3.0.1", 80 | "vuex": "^3.0.1", 81 | "vuex-electron": "^1.0.0" 82 | }, 83 | "devDependencies": { 84 | "ajv": "^6.5.0", 85 | "babel-core": "^6.26.3", 86 | "babel-loader": "^7.1.4", 87 | "babel-plugin-transform-runtime": "^6.23.0", 88 | "babel-preset-env": "^1.7.0", 89 | "babel-preset-stage-0": "^6.24.1", 90 | "babel-register": "^6.26.0", 91 | "babel-minify-webpack-plugin": "^0.3.1", 92 | "cfonts": "^2.1.2", 93 | "chalk": "^2.4.1", 94 | "copy-webpack-plugin": "^4.5.1", 95 | "cross-env": "^5.1.6", 96 | "css-loader": "^0.28.11", 97 | "del": "^3.0.0", 98 | "devtron": "^1.4.0", 99 | "electron": "^2.0.4", 100 | "electron-debug": "^1.5.0", 101 | "electron-devtools-installer": "^2.2.4", 102 | "electron-builder": "^20.19.2", 103 | "babel-eslint": "^8.2.3", 104 | "eslint": "^4.19.1", 105 | "eslint-friendly-formatter": "^4.0.1", 106 | "eslint-loader": "^2.0.0", 107 | "eslint-plugin-html": "^4.0.3", 108 | "eslint-config-standard": "^11.0.0", 109 | "eslint-plugin-import": "^2.12.0", 110 | "eslint-plugin-node": "^6.0.1", 111 | "eslint-plugin-promise": "^3.8.0", 112 | "eslint-plugin-standard": "^3.1.0", 113 | "mini-css-extract-plugin": "0.4.0", 114 | "file-loader": "^1.1.11", 115 | "html-webpack-plugin": "^3.2.0", 116 | "listr": "^0.14.3", 117 | "node-loader": "^0.6.0", 118 | "style-loader": "^0.21.0", 119 | "url-loader": "^1.0.1", 120 | "vue-html-loader": "^1.2.4", 121 | "vue-loader": "^15.2.4", 122 | "vue-style-loader": "^4.1.0", 123 | "vue-template-compiler": "^2.5.16", 124 | "webpack-cli": "^3.0.8", 125 | "webpack": "^4.15.1", 126 | "webpack-dev-server": "^3.1.4", 127 | "webpack-hot-middleware": "^2.22.2", 128 | "webpack-merge": "^4.1.3" 129 | } 130 | } 131 | -------------------------------------------------------------------------------- /screenshots/control-panel1.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/screenshots/control-panel1.png -------------------------------------------------------------------------------- /screenshots/dashboard.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/screenshots/dashboard.png -------------------------------------------------------------------------------- /screenshots/file-manager.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/screenshots/file-manager.png -------------------------------------------------------------------------------- /screenshots/server.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/screenshots/server.png -------------------------------------------------------------------------------- /screenshots/sessions.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/screenshots/sessions.png -------------------------------------------------------------------------------- /src/index.ejs: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | Kage 6 | <% if (htmlWebpackPlugin.options.nodeModules) { %> 7 | 8 | 11 | <% } %> 12 | 17 | 18 | 19 |
20 | 21 | <% if (!htmlWebpackPlugin.options.isBrowser && !htmlWebpackPlugin.options.isDevelopment) { %> 22 | 25 | <% } %> 26 | 27 | 28 | 29 | 30 | -------------------------------------------------------------------------------- /src/main/index.dev.js: -------------------------------------------------------------------------------- 1 | /** 2 | * This file is used specifically and only for development. It installs 3 | * `electron-debug` & `vue-devtools`. There shouldn't be any need to 4 | * modify this file, but it can be used to extend your development 5 | * environment. 6 | */ 7 | 8 | /* eslint-disable */ 9 | 10 | // Install `electron-debug` with `devtron` 11 | require('electron-debug')({ showDevTools: true }) 12 | 13 | // Install `vue-devtools` 14 | require('electron').app.on('ready', () => { 15 | let installExtension = require('electron-devtools-installer') 16 | installExtension.default(installExtension.VUEJS_DEVTOOLS) 17 | .then(() => {}) 18 | .catch(err => { 19 | console.log('Unable to install `vue-devtools`: \n', err) 20 | }) 21 | }) 22 | 23 | // Require `main` process to boot app 24 | require('./index') -------------------------------------------------------------------------------- /src/main/index.js: -------------------------------------------------------------------------------- 1 | 'use strict' 2 | 3 | import { app, BrowserWindow } from 'electron' 4 | import '../renderer/store' 5 | 6 | /** 7 | * Set `__static` path to static files in production 8 | * https://simulatedgreg.gitbooks.io/electron-vue/content/en/using-static-assets.html 9 | */ 10 | if (process.env.NODE_ENV !== 'development') { 11 | global.__static = require('path').join(__dirname, '/static').replace(/\\/g, '\\\\') 12 | } 13 | 14 | let mainWindow 15 | let splash 16 | const winURL = process.env.NODE_ENV === 'development' 17 | ? `http://localhost:9080` 18 | : `file://${__dirname}/index.html` 19 | 20 | function createWindow () { 21 | /** 22 | * Initial window options 23 | */ 24 | mainWindow = new BrowserWindow({ 25 | height: 563, 26 | useContentSize: true, 27 | width: 1200, 28 | title: 'Kage', 29 | webPreferences: { 30 | webSecurity: false 31 | }, 32 | show: false 33 | }) 34 | splash = new BrowserWindow({ 35 | width: 900, 36 | height: 600, 37 | frame: false, 38 | alwaysOnTop: true 39 | }) 40 | splash.loadURL(`file://${__static}/splash.html`) 41 | mainWindow.loadURL(winURL) 42 | mainWindow.on('closed', () => { 43 | mainWindow = null 44 | }) 45 | mainWindow.once('ready-to-show', () => { 46 | setTimeout(() => { 47 | splash.destroy() 48 | mainWindow.show() 49 | }, 1500) 50 | }) 51 | } 52 | 53 | app.on('ready', createWindow) 54 | app.on('window-all-closed', () => { 55 | if (process.platform !== 'darwin') { 56 | app.quit() 57 | } 58 | }) 59 | 60 | app.on('activate', () => { 61 | if (mainWindow === null) { 62 | createWindow() 63 | } 64 | }) 65 | app.on('certificate-error', (event, webContents, url, error, certificate, callback) => { 66 | // On certificate error we disable default behaviour (stop loading the page) 67 | // and we then say "it is all fine - true" to the callback 68 | event.preventDefault() 69 | 70 | callback(true) 71 | }) 72 | /** 73 | * Auto Updater 74 | * 75 | * Uncomment the following code below and install `electron-updater` to 76 | * support auto updating. Code Signing with a valid certificate is required. 77 | * https://simulatedgreg.gitbooks.io/electron-vue/content/en/using-electron-builder.html#auto-updating 78 | */ 79 | 80 | /* 81 | import { autoUpdater } from 'electron-updater' 82 | 83 | autoUpdater.on('update-downloaded', () => { 84 | autoUpdater.quitAndInstall() 85 | }) 86 | 87 | app.on('ready', () => { 88 | if (process.env.NODE_ENV === 'production') autoUpdater.checkForUpdates() 89 | }) 90 | */ 91 | -------------------------------------------------------------------------------- /src/renderer/App.vue: -------------------------------------------------------------------------------- 1 | 7 | 8 | 39 | 40 | 67 | -------------------------------------------------------------------------------- /src/renderer/assets/.gitkeep: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/src/renderer/assets/.gitkeep -------------------------------------------------------------------------------- /src/renderer/assets/logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/src/renderer/assets/logo.png -------------------------------------------------------------------------------- /src/renderer/components/Dashboard.vue: -------------------------------------------------------------------------------- 1 | 206 | 207 | 458 | 565 | -------------------------------------------------------------------------------- /src/renderer/components/Login.vue: -------------------------------------------------------------------------------- 1 | 64 | 243 | 295 | 326 | -------------------------------------------------------------------------------- /src/renderer/components/Session.vue: -------------------------------------------------------------------------------- 1 | 108 | 109 | 181 | 182 | -------------------------------------------------------------------------------- /src/renderer/components/sessionView/Workspace.vue: -------------------------------------------------------------------------------- 1 | 352 | 353 | 936 | 937 | 1090 | -------------------------------------------------------------------------------- /src/renderer/constants/commands/cmd.js: -------------------------------------------------------------------------------- 1 | /* 2 | * Meterpreter commmands 3 | */ 4 | // 5 | // File Systemn Commands 6 | export const CAT = 'cat ' 7 | export const CD = 'cd ' 8 | export const LS = 'ls -la' 9 | export const DOWNLOAD = 'download ' 10 | export const MKDIR = 'mkdir ' 11 | export const RM = 'rm ' 12 | export const RM_DIR = 'rmdir ' 13 | export const UPLOAD = 'upload ' 14 | 15 | // Networking Commands 16 | export const IF_CONFIG = 'ifconfig' 17 | export const NETSTAT = 'netstat' 18 | 19 | // System Commands 20 | export const REBOOT = 'reboot' 21 | export const SHUTDOWN = 'shutdown' 22 | export const SYSINFO = 'sysinfo' 23 | export const PS = 'ps' 24 | 25 | // User Interface commands 26 | // screenshot -p /home/user/Documents/kage/[randomname].jpeg -v false 27 | export const SCREENSHOT = 'screenshot ' 28 | 29 | // Webcam commands 30 | // record_mic -d 1 -f /home/user/Documents/kage/[randomname].wav -p false 31 | export const RECORD_MIC = 'record_mic' 32 | export const WEBCAM_LIST = 'webcam_list' 33 | 34 | // webcam_snap -i 1 -p /home/user/Documents/kage/[randomname].jpeg -v false 35 | export const WEBCAM_SNAP = 'webcam_snap' 36 | 37 | // android commands 38 | export const DUMP_SMS = 'dump_sms' 39 | export const DUMP_CONTACTS = 'dump_contacts' 40 | // whitelisting commands that returns nothing 41 | export const WHITELISTED = [CD, DOWNLOAD, MKDIR, RM, RM_DIR, REBOOT, SHUTDOWN, RECORD_MIC, DUMP_SMS, DUMP_CONTACTS] 42 | -------------------------------------------------------------------------------- /src/renderer/constants/extensions/whitelist.js: -------------------------------------------------------------------------------- 1 | // whitelist the extensions to be displayed in File Manager 2 | export const extensions = [ 3 | 'c', 4 | 'cpp', 5 | 'class ', 6 | 'cs', 7 | 'h', 8 | 'java', 9 | 'sh', 10 | 'swift', 11 | 'vb', 12 | 'txt', 13 | 'asp', 14 | 'aspx', 15 | 'axd', 16 | 'asx', 17 | 'asmx', 18 | 'ashx', 19 | 'css', 20 | 'yaws', 21 | 'html', 22 | 'htm', 23 | 'xhtml', 24 | 'jhtml', 25 | 'jsp', 26 | 'jspx', 27 | 'wss', 28 | 'do', 29 | 'action', 30 | 'js', 31 | 'pl', 32 | 'php', 33 | 'php4', 34 | 'php3', 35 | 'phtml', 36 | 'py', 37 | 'rb', 38 | 'rhtml', 39 | 'shtml', 40 | 'xml', 41 | 'rss', 42 | 'ps', 43 | 'ts', 44 | 'vue', 45 | 'ejs', 46 | 'makefile', 47 | 'go', 48 | 'yml', 49 | 'json', 50 | 'md', 51 | 'key', 52 | 'pem', 53 | 'rsa' 54 | ] 55 | -------------------------------------------------------------------------------- /src/renderer/main.js: -------------------------------------------------------------------------------- 1 | import Vue from 'vue' 2 | import axios from 'axios' 3 | // import { remote } from 'electron' 4 | 5 | import App from './App' 6 | import router from './router' 7 | import store from './store' 8 | // Element UI import 9 | import ElementUI from 'element-ui' 10 | import 'element-ui/lib/theme-chalk/index.css' 11 | import locale from 'element-ui/lib/locale/lang/en' 12 | // fontawsome import 13 | import { library } from '@fortawesome/fontawesome-svg-core' 14 | import { fas } from '@fortawesome/free-solid-svg-icons' 15 | import { FontAwesomeIcon } from '@fortawesome/vue-fontawesome' 16 | // vue-progressbar 17 | import VueProgressBar from 'vue-progressbar' 18 | 19 | Vue.use(ElementUI, {locale}) 20 | 21 | library.add(fas) 22 | Vue.component('font-awesome-icon', FontAwesomeIcon) 23 | 24 | const options = { 25 | color: '#409eff', 26 | failedColor: 'red', 27 | thickness: '2px', 28 | transition: { 29 | speed: '0.4s', 30 | opacity: '0.6s', 31 | termination: 300 32 | }, 33 | autoRevert: true, 34 | location: 'top', 35 | inverse: false 36 | } 37 | Vue.use(VueProgressBar, options) 38 | 39 | // remote.globalShortcut.register('CommandOrControl+Shift+K', () => { 40 | // remote.BrowserWindow.getFocusedWindow().webContents.openDevTools() 41 | // }) 42 | // 43 | // window.addEventListener('beforeunload', () => { 44 | // remote.globalShortcut.unregisterAll() 45 | // }) 46 | 47 | if (!process.env.IS_WEB) Vue.use(require('vue-electron')) 48 | Vue.http = Vue.prototype.$http = axios 49 | Vue.config.productionTip = false 50 | Vue.config.silent = true 51 | 52 | /* eslint-disable no-new */ 53 | new Vue({ 54 | components: { App }, 55 | router, 56 | store, 57 | template: '' 58 | }).$mount('#app') 59 | -------------------------------------------------------------------------------- /src/renderer/msfrpc/index.js: -------------------------------------------------------------------------------- 1 | /* 2 | * This is a modification of node-msfrpc by tomasgvivo. 3 | */ 4 | import MsgPack5 from 'msgpack5' 5 | import axios from 'axios' 6 | import Promise from 'bluebird' 7 | import * as Cmd from './../constants/commands/cmd' 8 | 9 | const msgpack = MsgPack5() 10 | export default class MsfRpc { 11 | /** 12 | * 13 | * @param settings 14 | */ 15 | constructor (settings) { 16 | // Get all settings needed 17 | settings = settings || {} 18 | this.token = settings.token 19 | this.ip = settings.ip 20 | this.port = settings.port 21 | this.ssl = settings.ssl 22 | } 23 | 24 | /** 25 | * @method login 26 | * @param {object} credentials 27 | * @return Promise 28 | */ 29 | _login (credentials) { 30 | credentials = credentials || {} 31 | const [ip, port] = (credentials.host).split(':') 32 | this.user = credentials.username 33 | this.pass = credentials.password 34 | this.ip = ip 35 | this.port = port 36 | this.ssl = credentials.isHttps 37 | return this._send('auth.login', this.user, this.pass) 38 | } 39 | /** 40 | * @method _send 41 | * @param {string} apiMethod 42 | * @param {...[any]} args 43 | * @private 44 | */ 45 | _send (apiMethod, ...args) { 46 | // Encode parameters to msgpack, it is required because metasploit rpc understand this format 47 | const buffer = msgpack.encode([apiMethod, ...args]) 48 | return new Promise((resolve) => { 49 | axios({ 50 | method: 'post', 51 | url: `${this.ssl ? 'https' : 'http'}://${this.ip}:${this.port}/api/1.0`, 52 | data: buffer, 53 | responseType: 'arraybuffer', 54 | headers: {'Content-Type': 'binary/message-pack'}, 55 | timeout: 5000 56 | }).then((response) => { 57 | // return the decoded msgpack payload 58 | const res = this._parseBuffer(response.data) 59 | resolve(res) 60 | }).catch((error) => { 61 | if (error.response) { 62 | console.log(error.response.data) 63 | console.log(error.response.status) 64 | console.log(error.response.headers) 65 | } else if (error.request) { 66 | console.log(error.request) 67 | let status = { 68 | result: 'unsuccessful' 69 | } 70 | resolve(status) 71 | } else { 72 | console.log(`${this.ssl ? 'https' : 'http'}://${this.ip}:${this.port}/api/1.0`, this.name) 73 | console.log('Error', error.message) 74 | } 75 | }) 76 | }) 77 | } 78 | 79 | /** 80 | * 81 | * @param method 82 | * @param args 83 | * @private 84 | */ 85 | _exec (method, ...args) { 86 | return this._send(method, this.token, ...args) 87 | } 88 | 89 | /** 90 | * 91 | * @param token 92 | * @private 93 | */ 94 | _saveToken (token) { 95 | /* 96 | * We will always store the token returned from metasploit to make it permanent until we logout 97 | */ 98 | return this._send('auth.token_add', token, token) 99 | } 100 | 101 | /** 102 | * 103 | * @param args 104 | * @private 105 | */ 106 | _startUpCommand (...args) { 107 | return new Promise((resolve) => { 108 | setTimeout(() => { 109 | this._send('session.meterpreter_read', this.token, arguments[0]).then((res) => { 110 | resolve(res) 111 | }) 112 | // At beginning when retrieving data it is better to delay 1 sec before requesting meterpreter_read to retrieve complete data 113 | // timeout 1s 114 | }, 1000) 115 | }) 116 | } 117 | // When accessing session workspace for the first time 118 | async _startUp (...args) { 119 | let wrote = await this._writeCommand(...args) 120 | let read 121 | read = '' 122 | const check = Cmd.WHITELISTED.some((x) => (arguments[1].indexOf(x) > -1)) 123 | if (check) { 124 | read = await this._startUpCommand(arguments[0]) 125 | } else if (wrote.result === 'success') { 126 | while (read.length === 0) { 127 | read = await this._startUpCommand(arguments[0]) 128 | if (this._commandsError(read.data)) { 129 | return read.data 130 | } else { 131 | read = this._formater(read.data, arguments[1]) 132 | } 133 | } 134 | } 135 | return read 136 | } 137 | // writing commands here 138 | async _writeCommand (...args) { 139 | let response = await this._send('session.meterpreter_run_single', this.token, ...args) 140 | return response 141 | } 142 | // reading commands from here 143 | _readCommand (...args) { 144 | return new Promise((resolve) => { 145 | setTimeout(() => { 146 | this._send('session.meterpreter_read', this.token, arguments[0]).then((res) => { 147 | resolve(res) 148 | }) 149 | // timeout 200ms 150 | }, 200) 151 | }) 152 | } 153 | // Used for commands, more faster than startup 154 | async executeCommand (...args) { 155 | let wrote = await this._writeCommand(...args) 156 | let read 157 | read = '' 158 | const check = Cmd.WHITELISTED.some((x) => (arguments[1].indexOf(x) > -1)) 159 | if (check) { 160 | // refer to comments in constants/commands/cmd.js 161 | read = await this._readCommand(arguments[0]) 162 | return read 163 | } else { 164 | if (wrote.result === 'success') { 165 | // We keep looping till we get all data 166 | while (read.length === 0) { 167 | read = await this._readCommand(arguments[0]) 168 | if (read.data.length === 1) { 169 | // this statement to handle data length return only \n linebreak 170 | read.data = '' 171 | } 172 | // If any error shows please stop looping and retrieve data 173 | if (this._commandsError(read.data)) { 174 | return read.data 175 | } else { 176 | read = this._formater(read.data, arguments[1]) 177 | } 178 | } 179 | } 180 | } 181 | return read 182 | } 183 | // Checking any errors. 184 | _commandsError (value) { 185 | return (value.indexOf('Operation') > -1 || value.indexOf('No entries') > -1) 186 | } 187 | // Formater to convert plain text to objects 188 | _formater (value, cmd) { 189 | let formated 190 | switch (cmd) { 191 | case 'ls -la': 192 | let Dir = [] 193 | let line 194 | let list = [] 195 | // Breaking each line from promise 196 | console.log(value) 197 | let breakedResponse = value.split('\n') 198 | breakedResponse.shift() 199 | for (line in breakedResponse) { 200 | if (breakedResponse.hasOwnProperty(line)) { 201 | // Check if data is dir or file 202 | if (breakedResponse[line].indexOf('fil') !== -1 || breakedResponse[line].indexOf('dir') !== -1) { 203 | list = breakedResponse[line].replace(/ +/g, ' ').split(' ') 204 | // Name start at position 6 so we concat all white spaced words into one string 205 | // insert it into position 6 206 | list[6] = list.splice(6, list.length - 1).join(' ') 207 | Dir.push({ 208 | name: list[6], 209 | file: list[2], 210 | size: (parseInt(list[1]) / 1000), 211 | mode: list[0] 212 | }) 213 | } 214 | } 215 | } 216 | formated = Dir 217 | break 218 | case 'sysinfo': 219 | value = value.replace(/ +:/g, ':').split('\n') 220 | if (value[value.length - 1] === '') { 221 | value.pop() 222 | } 223 | formated = value 224 | break 225 | case 'sms': 226 | value = value.split('\n') 227 | let sms 228 | let smses = value.splice(9, value.length - 1) 229 | let titles = '' 230 | let msgs = '' 231 | let dates = '' 232 | for (sms in smses) { 233 | if (smses.hasOwnProperty(sms)) { 234 | titles += smses[sms].indexOf('Address') > -1 ? smses[sms].replace('Address\t: ', '') : '~' 235 | msgs += smses[sms].indexOf('Message') > -1 ? smses[sms].replace('Message\t: ', '') : '~' 236 | dates += smses[sms].indexOf('Date') > -1 ? smses[sms].replace('Date\t: ', '') : '~' 237 | } 238 | } 239 | let titlesGroup = titles.replace(/~+/g, '~').split('~') 240 | let msgsGroup = msgs.replace(/~+/g, '~').split('~') 241 | let datesGroup = dates.replace(/~+/g, '~').split('~') 242 | let smsResult = [] 243 | for (let j = 1; titlesGroup.length - 1 > j; j++) { 244 | smsResult.push({ 245 | title: titlesGroup[j], 246 | msg: msgsGroup[j], 247 | date: datesGroup[j] 248 | }) 249 | } 250 | formated = smsResult 251 | break 252 | case 'contact': 253 | value = value.split('\n') 254 | let contact 255 | let contacts = value.splice(9, value.length - 1) 256 | let names = '' 257 | let numbers = '' 258 | for (contact in contacts) { 259 | if (contacts.hasOwnProperty(contact)) { 260 | names += contacts[contact].indexOf('Name') > -1 ? contacts[contact].replace('Name\t: ', '') : ',' 261 | numbers += contacts[contact].indexOf('Number') > -1 ? contacts[contact].replace('Number\t: ', '') : ',' 262 | } 263 | } 264 | let namesGroup = names.replace(/,+/g, ',').split(',') 265 | let numbersGroup = numbers.replace(/,+/g, ',').split(',') 266 | let result = [] 267 | // start at 1 and length - 1 because first and last element is always empty 268 | for (let i = 1; namesGroup.length - 1 > i; i++) { 269 | result.push({ 270 | name: namesGroup[i], 271 | number: numbersGroup[i] 272 | }) 273 | } 274 | formated = result 275 | break 276 | default: 277 | formated = value 278 | break 279 | } 280 | return formated 281 | } 282 | /** 283 | * _parseBuffer 284 | * @param {object} value 285 | */ 286 | _parseBuffer (value) { 287 | const pack = msgpack.decode(new Uint8Array(value)) 288 | return this._toObject(pack) 289 | } 290 | 291 | /** 292 | * _toObject 293 | * @param {object} value 294 | */ 295 | _toObject (value) { 296 | if (value instanceof Buffer) { 297 | return value.toString() 298 | } else if (value instanceof Array) { 299 | const arr = [] 300 | value.forEach((val) => { 301 | arr.push(this._toObject(val)) 302 | }) 303 | return arr 304 | } else if (value instanceof Object) { 305 | const obj = {} 306 | Object.keys(value).forEach((key) => { 307 | if (value.hasOwnProperty(key)) { 308 | obj[key] = this._toObject(value[key]) 309 | } 310 | }) 311 | return obj 312 | } else { 313 | return value 314 | } 315 | } 316 | } 317 | -------------------------------------------------------------------------------- /src/renderer/router/index.js: -------------------------------------------------------------------------------- 1 | import Vue from 'vue' 2 | import Router from 'vue-router' 3 | 4 | Vue.use(Router) 5 | 6 | export default new Router({ 7 | routes: [ 8 | { 9 | path: '/', 10 | name: 'Login', 11 | component: require('@/components/Login').default 12 | }, 13 | { 14 | path: '/dashboard', 15 | name: 'Dashboard', 16 | component: require('@/components/Dashboard').default, 17 | children: [ 18 | { 19 | path: '/sessions', 20 | name: 'Sessions', 21 | component: require('@/components/Session').default, 22 | children: [ 23 | { 24 | path: '/sessions/workspace/:sessionId/:platform', 25 | name: 'Workspace', 26 | component: require('@/components/sessionView/Workspace').default 27 | } 28 | ] 29 | } 30 | ] 31 | }, 32 | { 33 | path: '*', 34 | redirect: '/' 35 | } 36 | ] 37 | }) 38 | -------------------------------------------------------------------------------- /src/renderer/store/index.js: -------------------------------------------------------------------------------- 1 | import Vue from 'vue' 2 | import Vuex from 'vuex' 3 | 4 | import { createPersistedState } from 'vuex-electron' 5 | 6 | import modules from './modules' 7 | 8 | Vue.use(Vuex) 9 | 10 | export default new Vuex.Store({ 11 | modules, 12 | plugins: [ 13 | createPersistedState() 14 | // createSharedMutations() 15 | ], 16 | strict: process.env.NODE_ENV !== 'production' 17 | }) 18 | -------------------------------------------------------------------------------- /src/renderer/store/modules/index.js: -------------------------------------------------------------------------------- 1 | /** 2 | * The file enables `@/store/index.js` to import all vuex modules 3 | * in a one-shot manner. There should not be any reason to edit this file. 4 | */ 5 | 6 | const files = require.context('.', false, /\.js$/) 7 | const modules = {} 8 | 9 | files.keys().forEach(key => { 10 | if (key === './index.js') return 11 | modules[key.replace(/(\.\/|\.js)/g, '')] = files(key).default 12 | }) 13 | 14 | export default modules 15 | -------------------------------------------------------------------------------- /src/renderer/store/modules/msfSession.js: -------------------------------------------------------------------------------- 1 | const state = { 2 | info: { 3 | token: '', 4 | ip: '', 5 | port: '', 6 | ssl: null 7 | } 8 | } 9 | 10 | const mutations = { 11 | ADD_USER (state, payload) { 12 | state.info.token = payload.token 13 | state.info.ip = payload.ip 14 | state.info.port = payload.port 15 | state.info.ssl = payload.ssl 16 | } 17 | } 18 | 19 | const actions = { 20 | settings ({ commit }, payload) { 21 | commit('ADD_USER', payload) 22 | } 23 | } 24 | 25 | const getters = { 26 | getInfo: state => state.info 27 | } 28 | export default { 29 | state, 30 | mutations, 31 | actions, 32 | getters 33 | } 34 | -------------------------------------------------------------------------------- /static/.gitkeep: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/Zerx0r/Kage/ba420548f0299f4f3dc612849e527944b6cf2315/static/.gitkeep -------------------------------------------------------------------------------- /static/kage-logo.svg: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | image/svg+xml 46 | 48 | 53 | 58 | 63 | 64 | 66 | 72 | 78 | 84 | 90 | 91 | -------------------------------------------------------------------------------- /static/splash.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 26 | 27 | 29 | 30 | Document 31 | 32 | 33 |
34 | 37 |
38 | 39 | --------------------------------------------------------------------------------