├── .bowerrc ├── .editorconfig ├── .gitattributes ├── .gitignore ├── .jshintrc ├── .travis.yml ├── Gruntfile.js ├── LICENSE.txt ├── README.md ├── app ├── .buildignore ├── .htaccess ├── 404.html ├── apple-touch-icon-114x114.png ├── apple-touch-icon-120x120.png ├── apple-touch-icon-144x144.png ├── apple-touch-icon-152x152.png ├── apple-touch-icon-180x180.png ├── apple-touch-icon-57x57.png ├── apple-touch-icon-60x60.png ├── apple-touch-icon-72x72.png ├── apple-touch-icon-76x76.png ├── apple-touch-icon-precomposed.png ├── apple-touch-icon.png ├── browserconfig.xml ├── favicon-160x160.png ├── favicon-16x16.png ├── favicon-192x192.png ├── favicon-32x32.png ├── favicon-96x96.png ├── favicon.ico ├── images │ └── ajax-loader.gif ├── index.html ├── mstile-144x144.png ├── mstile-150x150.png ├── mstile-310x150.png ├── mstile-310x310.png ├── mstile-70x70.png ├── robots.txt ├── scripts │ ├── app.js │ ├── config.js │ ├── controllers │ │ └── top.js │ ├── directives │ │ └── ngmodelonblur.js │ ├── filter │ │ ├── getfavicon.js │ │ ├── gethostname.js │ │ ├── mysqldate.js │ │ ├── mysqldatetime.js │ │ ├── pad.js │ │ └── showtitle.js │ ├── resources │ │ ├── search.js │ │ ├── sourceitems.js │ │ └── topnews.js │ └── services │ │ └── top.js ├── styles │ └── main.css └── views │ ├── about.html │ ├── help.html │ ├── includes │ └── searchmenu.html │ └── top.html ├── bower.json ├── dist ├── .htaccess ├── 404.html ├── apple-touch-icon-114x114.png ├── apple-touch-icon-120x120.png ├── apple-touch-icon-144x144.png ├── apple-touch-icon-152x152.png ├── apple-touch-icon-180x180.png ├── apple-touch-icon-57x57.png ├── apple-touch-icon-60x60.png ├── apple-touch-icon-72x72.png ├── apple-touch-icon-76x76.png ├── apple-touch-icon-precomposed.png ├── apple-touch-icon.png ├── browserconfig.xml ├── favicon-160x160.png ├── favicon-16x16.png ├── favicon-192x192.png ├── favicon-32x32.png ├── favicon-96x96.png ├── favicon.ico ├── fonts │ ├── FontAwesome.otf │ ├── fontawesome-webfont.eot │ ├── fontawesome-webfont.svg │ ├── fontawesome-webfont.ttf │ ├── fontawesome-webfont.woff │ ├── glyphicons-halflings-regular.eot │ ├── glyphicons-halflings-regular.svg │ ├── glyphicons-halflings-regular.ttf │ └── glyphicons-halflings-regular.woff ├── images │ └── ajax-loader.gif ├── index.html ├── mstile-144x144.png ├── mstile-150x150.png ├── mstile-310x150.png ├── mstile-310x310.png ├── mstile-70x70.png ├── robots.txt ├── scripts │ ├── oldieshim.6466f0cf.js │ ├── scripts.95066d5c.js │ └── vendor.2ad926c2.js ├── styles │ ├── main.54276e5f.css │ └── vendor.0a04d3e8.css └── views │ ├── about.html │ ├── help.html │ ├── includes │ └── searchmenu.html │ └── top.html └── package.json /.bowerrc: -------------------------------------------------------------------------------- 1 | { 2 | "directory": "bower_components" 3 | } 4 | -------------------------------------------------------------------------------- /.editorconfig: -------------------------------------------------------------------------------- 1 | # EditorConfig helps developers define and maintain consistent 2 | # coding styles between different editors and IDEs 3 | # editorconfig.org 4 | 5 | root = true 6 | 7 | 8 | [*] 9 | 10 | # Change these settings to your own preference 11 | indent_style = space 12 | indent_size = 2 13 | 14 | # We recommend you to keep these unchanged 15 | end_of_line = lf 16 | charset = utf-8 17 | trim_trailing_whitespace = true 18 | insert_final_newline = true 19 | 20 | [*.md] 21 | trim_trailing_whitespace = false 22 | -------------------------------------------------------------------------------- /.gitattributes: -------------------------------------------------------------------------------- 1 | * text=auto -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | node_modules 2 | .tmp 3 | .sass-cache 4 | bower_components 5 | .idea 6 | -------------------------------------------------------------------------------- /.jshintrc: -------------------------------------------------------------------------------- 1 | { 2 | "node": true, 3 | "browser": true, 4 | "esnext": true, 5 | "bitwise": true, 6 | "camelcase": true, 7 | "curly": true, 8 | "eqeqeq": true, 9 | "immed": true, 10 | "indent": 2, 11 | "latedef": true, 12 | "newcap": true, 13 | "noarg": true, 14 | "quotmark": "single", 15 | "regexp": true, 16 | "undef": true, 17 | "unused": true, 18 | "strict": true, 19 | "trailing": true, 20 | "smarttabs": true, 21 | "globals": { 22 | "angular": false 23 | } 24 | } 25 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | language: node_js 2 | node_js: 3 | - '0.10' 4 | before_script: 5 | - 'npm install -g bower grunt-cli' 6 | - 'bower install' 7 | -------------------------------------------------------------------------------- /Gruntfile.js: -------------------------------------------------------------------------------- 1 | // Generated on 2014-10-13 using generator-angular 0.9.8 2 | 'use strict'; 3 | 4 | // # Globbing 5 | // for performance reasons we're only matching one level down: 6 | // 'test/spec/{,*/}*.js' 7 | // use this if you want to recursively match all subfolders: 8 | // 'test/spec/**/*.js' 9 | 10 | module.exports = function (grunt) { 11 | 12 | // Load grunt tasks automatically 13 | require('load-grunt-tasks')(grunt); 14 | 15 | // Time how long tasks take. Can help when optimizing build times 16 | require('time-grunt')(grunt); 17 | 18 | // Configurable paths for the application 19 | var appConfig = { 20 | app: require('./bower.json').appPath || 'app', 21 | dist: 'dist' 22 | }; 23 | 24 | // Define the configuration for all the tasks 25 | grunt.initConfig({ 26 | 27 | // Project settings 28 | yeoman: appConfig, 29 | 30 | // Watches files for changes and runs tasks based on the changed files 31 | watch: { 32 | bower: { 33 | files: ['bower.json'], 34 | tasks: ['wiredep'] 35 | }, 36 | js: { 37 | files: ['<%= yeoman.app %>/scripts/{,*/}*.js'], 38 | tasks: ['newer:jshint:all'], 39 | options: { 40 | livereload: '<%= connect.options.livereload %>' 41 | } 42 | }, 43 | jsTest: { 44 | files: ['test/spec/{,*/}*.js'], 45 | tasks: ['newer:jshint:test', 'karma'] 46 | }, 47 | styles: { 48 | files: ['<%= yeoman.app %>/styles/{,*/}*.css'], 49 | tasks: ['newer:copy:styles', 'autoprefixer'] 50 | }, 51 | gruntfile: { 52 | files: ['Gruntfile.js'] 53 | }, 54 | livereload: { 55 | options: { 56 | livereload: '<%= connect.options.livereload %>' 57 | }, 58 | files: [ 59 | '<%= yeoman.app %>/{,*/}*.html', 60 | '.tmp/styles/{,*/}*.css', 61 | '<%= yeoman.app %>/images/{,*/}*.{png,jpg,jpeg,gif,webp,svg}' 62 | ] 63 | } 64 | }, 65 | 66 | // The actual grunt server settings 67 | connect: { 68 | options: { 69 | port: 9000, 70 | // Change this to '0.0.0.0' to access the server from outside. 71 | hostname: 'localhost', 72 | livereload: 35729 73 | }, 74 | livereload: { 75 | options: { 76 | open: true, 77 | middleware: function (connect) { 78 | return [ 79 | connect.static('.tmp'), 80 | connect().use( 81 | '/bower_components', 82 | connect.static('./bower_components') 83 | ), 84 | connect.static(appConfig.app) 85 | ]; 86 | } 87 | } 88 | }, 89 | test: { 90 | options: { 91 | port: 9001, 92 | middleware: function (connect) { 93 | return [ 94 | connect.static('.tmp'), 95 | connect.static('test'), 96 | connect().use( 97 | '/bower_components', 98 | connect.static('./bower_components') 99 | ), 100 | connect.static(appConfig.app) 101 | ]; 102 | } 103 | } 104 | }, 105 | dist: { 106 | options: { 107 | open: true, 108 | base: '<%= yeoman.dist %>' 109 | } 110 | } 111 | }, 112 | 113 | // Make sure code styles are up to par and there are no obvious mistakes 114 | jshint: { 115 | options: { 116 | jshintrc: '.jshintrc', 117 | reporter: require('jshint-stylish') 118 | }, 119 | all: { 120 | src: [ 121 | 'Gruntfile.js', 122 | '<%= yeoman.app %>/scripts/{,*/}*.js' 123 | ] 124 | }, 125 | test: { 126 | options: { 127 | jshintrc: 'test/.jshintrc' 128 | }, 129 | src: ['test/spec/{,*/}*.js'] 130 | } 131 | }, 132 | 133 | // Empties folders to start fresh 134 | clean: { 135 | dist: { 136 | files: [{ 137 | dot: true, 138 | src: [ 139 | '.tmp', 140 | '<%= yeoman.dist %>/{,*/}*', 141 | '!<%= yeoman.dist %>/.git*' 142 | ] 143 | }] 144 | }, 145 | server: '.tmp' 146 | }, 147 | 148 | // Add vendor prefixed styles 149 | autoprefixer: { 150 | options: { 151 | browsers: ['last 1 version'] 152 | }, 153 | dist: { 154 | files: [{ 155 | expand: true, 156 | cwd: '.tmp/styles/', 157 | src: '{,*/}*.css', 158 | dest: '.tmp/styles/' 159 | }] 160 | } 161 | }, 162 | 163 | // Automatically inject Bower components into the app 164 | wiredep: { 165 | app: { 166 | src: ['<%= yeoman.app %>/index.html'], 167 | ignorePath: /\.\.\//, 168 | overrides : { 169 | 'angularjs-slider': { 170 | main: ['rzslider.js', 'dist/rzslider.css'] 171 | } 172 | } 173 | } 174 | }, 175 | 176 | // Renames files for browser caching purposes 177 | filerev: { 178 | dist: { 179 | src: [ 180 | '<%= yeoman.dist %>/scripts/{,*/}*.js', 181 | '<%= yeoman.dist %>/styles/{,*/}*.css', 182 | '<%= yeoman.dist %>/images/{,*/}*.{png,jpg,jpeg,webp,svg}', 183 | '<%= yeoman.dist %>/styles/fonts/*' 184 | ] 185 | } 186 | }, 187 | 188 | // Reads HTML for usemin blocks to enable smart builds that automatically 189 | // concat, minify and revision files. Creates configurations in memory so 190 | // additional tasks can operate on them 191 | useminPrepare: { 192 | html: '<%= yeoman.app %>/index.html', 193 | options: { 194 | dest: '<%= yeoman.dist %>', 195 | flow: { 196 | html: { 197 | steps: { 198 | js: ['concat', 'uglifyjs'], 199 | css: ['cssmin'] 200 | }, 201 | post: {} 202 | } 203 | } 204 | } 205 | }, 206 | 207 | // Performs rewrites based on filerev and the useminPrepare configuration 208 | usemin: { 209 | html: ['<%= yeoman.dist %>/{,*/}*.html'], 210 | css: ['<%= yeoman.dist %>/styles/{,*/}*.css'], 211 | options: { 212 | assetsDirs: ['<%= yeoman.dist %>','<%= yeoman.dist %>/images'] 213 | } 214 | }, 215 | 216 | // The following *-min tasks will produce minified files in the dist folder 217 | // By default, your `index.html`'s will take care of 218 | // minification. These next options are pre-configured if you do not wish 219 | // to use the Usemin blocks. 220 | // cssmin: { 221 | // dist: { 222 | // files: { 223 | // '<%= yeoman.dist %>/styles/main.css': [ 224 | // '.tmp/styles/{,*/}*.css' 225 | // ] 226 | // } 227 | // } 228 | // }, 229 | // uglify: { 230 | // dist: { 231 | // files: { 232 | // '<%= yeoman.dist %>/scripts/scripts.js': [ 233 | // '<%= yeoman.dist %>/scripts/scripts.js' 234 | // ] 235 | // } 236 | // } 237 | // }, 238 | // concat: { 239 | // dist: {} 240 | // }, 241 | 242 | imagemin: { 243 | dist: { 244 | files: [{ 245 | expand: true, 246 | cwd: '<%= yeoman.app %>/images', 247 | src: '{,*/}*.{png,jpg,jpeg,gif}', 248 | dest: '<%= yeoman.dist %>/images' 249 | }] 250 | } 251 | }, 252 | 253 | svgmin: { 254 | dist: { 255 | files: [{ 256 | expand: true, 257 | cwd: '<%= yeoman.app %>/images', 258 | src: '{,*/}*.svg', 259 | dest: '<%= yeoman.dist %>/images' 260 | }] 261 | } 262 | }, 263 | 264 | htmlmin: { 265 | dist: { 266 | options: { 267 | collapseWhitespace: true, 268 | conservativeCollapse: true, 269 | collapseBooleanAttributes: true, 270 | removeCommentsFromCDATA: true, 271 | removeOptionalTags: true 272 | }, 273 | files: [{ 274 | expand: true, 275 | cwd: '<%= yeoman.dist %>', 276 | src: ['*.html', 'views/{,*/}*.html'], 277 | dest: '<%= yeoman.dist %>' 278 | }] 279 | } 280 | }, 281 | 282 | // ng-annotate tries to make the code safe for minification automatically 283 | // by using the Angular long form for dependency injection. 284 | ngAnnotate: { 285 | dist: { 286 | files: [{ 287 | expand: true, 288 | cwd: '.tmp/concat/scripts', 289 | src: ['*.js', '!oldieshim.js'], 290 | dest: '.tmp/concat/scripts' 291 | }] 292 | } 293 | }, 294 | 295 | // Replace Google CDN references 296 | cdnify: { 297 | dist: { 298 | html: ['<%= yeoman.dist %>/*.html'] 299 | } 300 | }, 301 | 302 | // Copies remaining files to places other tasks can use 303 | copy: { 304 | dist: { 305 | files: [{ 306 | expand: true, 307 | dot: true, 308 | cwd: '<%= yeoman.app %>', 309 | dest: '<%= yeoman.dist %>', 310 | src: [ 311 | '*.{ico,png,txt,xml}', 312 | '.htaccess', 313 | '*.html', 314 | 'views/{,*/}*.html', 315 | 'images/{,*/}*.{webp}', 316 | 'fonts/*' 317 | ] 318 | }, { 319 | expand: true, 320 | cwd: '.tmp/images', 321 | dest: '<%= yeoman.dist %>/images', 322 | src: ['generated/*'] 323 | }, { 324 | expand: true, 325 | cwd: 'bower_components/bootstrap/dist', 326 | src: 'fonts/*', 327 | dest: '<%= yeoman.dist %>' 328 | }, { 329 | expand: true, 330 | dot: true, 331 | cwd: 'bower_components/font-awesome/fonts/', 332 | src: ['*.*'], 333 | dest: '<%= yeoman.dist %>/fonts' 334 | }] 335 | }, 336 | styles: { 337 | expand: true, 338 | cwd: '<%= yeoman.app %>/styles', 339 | dest: '.tmp/styles/', 340 | src: '{,*/}*.css' 341 | } 342 | }, 343 | 344 | // Run some tasks in parallel to speed up the build process 345 | concurrent: { 346 | server: [ 347 | 'copy:styles' 348 | ], 349 | test: [ 350 | 'copy:styles' 351 | ], 352 | dist: [ 353 | 'copy:styles', 354 | 'imagemin', 355 | 'svgmin' 356 | ] 357 | }, 358 | 359 | // Test settings 360 | karma: { 361 | unit: { 362 | configFile: 'test/karma.conf.js', 363 | singleRun: true 364 | } 365 | } 366 | }); 367 | 368 | 369 | grunt.registerTask('serve', 'Compile then start a connect web server', function (target) { 370 | if (target === 'dist') { 371 | return grunt.task.run(['build', 'connect:dist:keepalive']); 372 | } 373 | 374 | grunt.task.run([ 375 | 'clean:server', 376 | 'wiredep', 377 | 'concurrent:server', 378 | 'autoprefixer', 379 | 'connect:livereload', 380 | 'watch' 381 | ]); 382 | }); 383 | 384 | grunt.registerTask('server', 'DEPRECATED TASK. Use the "serve" task instead', function (target) { 385 | grunt.log.warn('The `server` task has been deprecated. Use `grunt serve` to start a server.'); 386 | grunt.task.run(['serve:' + target]); 387 | }); 388 | 389 | grunt.registerTask('test', [ 390 | 'clean:server', 391 | 'concurrent:test', 392 | 'autoprefixer', 393 | 'connect:test', 394 | 'karma' 395 | ]); 396 | 397 | grunt.registerTask('build', [ 398 | 'clean:dist', 399 | 'wiredep', 400 | 'useminPrepare', 401 | 'concurrent:dist', 402 | 'autoprefixer', 403 | 'concat', 404 | 'ngAnnotate', 405 | 'copy:dist', 406 | 'cdnify', 407 | 'cssmin', 408 | 'uglify', 409 | 'filerev', 410 | 'usemin', 411 | 'htmlmin' 412 | ]); 413 | 414 | grunt.registerTask('default', [ 415 | 'newer:jshint', 416 | 'test', 417 | 'build' 418 | ]); 419 | }; 420 | -------------------------------------------------------------------------------- /LICENSE.txt: -------------------------------------------------------------------------------- 1 | GNU GENERAL PUBLIC LICENSE 2 | Version 2, June 1991 3 | 4 | Copyright (C) 1989, 1991 Free Software Foundation, Inc., 5 | 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA 6 | Everyone is permitted to copy and distribute verbatim copies 7 | of this license document, but changing it is not allowed. 8 | 9 | Preamble 10 | 11 | The licenses for most software are designed to take away your 12 | freedom to share and change it. By contrast, the GNU General Public 13 | License is intended to guarantee your freedom to share and change free 14 | software--to make sure the software is free for all its users. This 15 | General Public License applies to most of the Free Software 16 | Foundation's software and to any other program whose authors commit to 17 | using it. (Some other Free Software Foundation software is covered by 18 | the GNU Lesser General Public License instead.) You can apply it to 19 | your programs, too. 20 | 21 | When we speak of free software, we are referring to freedom, not 22 | price. Our General Public Licenses are designed to make sure that you 23 | have the freedom to distribute copies of free software (and charge for 24 | this service if you wish), that you receive source code or can get it 25 | if you want it, that you can change the software or use pieces of it 26 | in new free programs; and that you know you can do these things. 27 | 28 | To protect your rights, we need to make restrictions that forbid 29 | anyone to deny you these rights or to ask you to surrender the rights. 30 | These restrictions translate to certain responsibilities for you if you 31 | distribute copies of the software, or if you modify it. 32 | 33 | For example, if you distribute copies of such a program, whether 34 | gratis or for a fee, you must give the recipients all the rights that 35 | you have. You must make sure that they, too, receive or can get the 36 | source code. And you must show them these terms so they know their 37 | rights. 38 | 39 | We protect your rights with two steps: (1) copyright the software, and 40 | (2) offer you this license which gives you legal permission to copy, 41 | distribute and/or modify the software. 42 | 43 | Also, for each author's protection and ours, we want to make certain 44 | that everyone understands that there is no warranty for this free 45 | software. If the software is modified by someone else and passed on, we 46 | want its recipients to know that what they have is not the original, so 47 | that any problems introduced by others will not reflect on the original 48 | authors' reputations. 49 | 50 | Finally, any free program is threatened constantly by software 51 | patents. We wish to avoid the danger that redistributors of a free 52 | program will individually obtain patent licenses, in effect making the 53 | program proprietary. To prevent this, we have made it clear that any 54 | patent must be licensed for everyone's free use or not licensed at all. 55 | 56 | The precise terms and conditions for copying, distribution and 57 | modification follow. 58 | 59 | GNU GENERAL PUBLIC LICENSE 60 | TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 61 | 62 | 0. This License applies to any program or other work which contains 63 | a notice placed by the copyright holder saying it may be distributed 64 | under the terms of this General Public License. The "Program", below, 65 | refers to any such program or work, and a "work based on the Program" 66 | means either the Program or any derivative work under copyright law: 67 | that is to say, a work containing the Program or a portion of it, 68 | either verbatim or with modifications and/or translated into another 69 | language. (Hereinafter, translation is included without limitation in 70 | the term "modification".) Each licensee is addressed as "you". 71 | 72 | Activities other than copying, distribution and modification are not 73 | covered by this License; they are outside its scope. The act of 74 | running the Program is not restricted, and the output from the Program 75 | is covered only if its contents constitute a work based on the 76 | Program (independent of having been made by running the Program). 77 | Whether that is true depends on what the Program does. 78 | 79 | 1. You may copy and distribute verbatim copies of the Program's 80 | source code as you receive it, in any medium, provided that you 81 | conspicuously and appropriately publish on each copy an appropriate 82 | copyright notice and disclaimer of warranty; keep intact all the 83 | notices that refer to this License and to the absence of any warranty; 84 | and give any other recipients of the Program a copy of this License 85 | along with the Program. 86 | 87 | You may charge a fee for the physical act of transferring a copy, and 88 | you may at your option offer warranty protection in exchange for a fee. 89 | 90 | 2. You may modify your copy or copies of the Program or any portion 91 | of it, thus forming a work based on the Program, and copy and 92 | distribute such modifications or work under the terms of Section 1 93 | above, provided that you also meet all of these conditions: 94 | 95 | a) You must cause the modified files to carry prominent notices 96 | stating that you changed the files and the date of any change. 97 | 98 | b) You must cause any work that you distribute or publish, that in 99 | whole or in part contains or is derived from the Program or any 100 | part thereof, to be licensed as a whole at no charge to all third 101 | parties under the terms of this License. 102 | 103 | c) If the modified program normally reads commands interactively 104 | when run, you must cause it, when started running for such 105 | interactive use in the most ordinary way, to print or display an 106 | announcement including an appropriate copyright notice and a 107 | notice that there is no warranty (or else, saying that you provide 108 | a warranty) and that users may redistribute the program under 109 | these conditions, and telling the user how to view a copy of this 110 | License. (Exception: if the Program itself is interactive but 111 | does not normally print such an announcement, your work based on 112 | the Program is not required to print an announcement.) 113 | 114 | These requirements apply to the modified work as a whole. If 115 | identifiable sections of that work are not derived from the Program, 116 | and can be reasonably considered independent and separate works in 117 | themselves, then this License, and its terms, do not apply to those 118 | sections when you distribute them as separate works. But when you 119 | distribute the same sections as part of a whole which is a work based 120 | on the Program, the distribution of the whole must be on the terms of 121 | this License, whose permissions for other licensees extend to the 122 | entire whole, and thus to each and every part regardless of who wrote it. 123 | 124 | Thus, it is not the intent of this section to claim rights or contest 125 | your rights to work written entirely by you; rather, the intent is to 126 | exercise the right to control the distribution of derivative or 127 | collective works based on the Program. 128 | 129 | In addition, mere aggregation of another work not based on the Program 130 | with the Program (or with a work based on the Program) on a volume of 131 | a storage or distribution medium does not bring the other work under 132 | the scope of this License. 133 | 134 | 3. You may copy and distribute the Program (or a work based on it, 135 | under Section 2) in object code or executable form under the terms of 136 | Sections 1 and 2 above provided that you also do one of the following: 137 | 138 | a) Accompany it with the complete corresponding machine-readable 139 | source code, which must be distributed under the terms of Sections 140 | 1 and 2 above on a medium customarily used for software interchange; or, 141 | 142 | b) Accompany it with a written offer, valid for at least three 143 | years, to give any third party, for a charge no more than your 144 | cost of physically performing source distribution, a complete 145 | machine-readable copy of the corresponding source code, to be 146 | distributed under the terms of Sections 1 and 2 above on a medium 147 | customarily used for software interchange; or, 148 | 149 | c) Accompany it with the information you received as to the offer 150 | to distribute corresponding source code. (This alternative is 151 | allowed only for noncommercial distribution and only if you 152 | received the program in object code or executable form with such 153 | an offer, in accord with Subsection b above.) 154 | 155 | The source code for a work means the preferred form of the work for 156 | making modifications to it. For an executable work, complete source 157 | code means all the source code for all modules it contains, plus any 158 | associated interface definition files, plus the scripts used to 159 | control compilation and installation of the executable. However, as a 160 | special exception, the source code distributed need not include 161 | anything that is normally distributed (in either source or binary 162 | form) with the major components (compiler, kernel, and so on) of the 163 | operating system on which the executable runs, unless that component 164 | itself accompanies the executable. 165 | 166 | If distribution of executable or object code is made by offering 167 | access to copy from a designated place, then offering equivalent 168 | access to copy the source code from the same place counts as 169 | distribution of the source code, even though third parties are not 170 | compelled to copy the source along with the object code. 171 | 172 | 4. You may not copy, modify, sublicense, or distribute the Program 173 | except as expressly provided under this License. Any attempt 174 | otherwise to copy, modify, sublicense or distribute the Program is 175 | void, and will automatically terminate your rights under this License. 176 | However, parties who have received copies, or rights, from you under 177 | this License will not have their licenses terminated so long as such 178 | parties remain in full compliance. 179 | 180 | 5. You are not required to accept this License, since you have not 181 | signed it. However, nothing else grants you permission to modify or 182 | distribute the Program or its derivative works. These actions are 183 | prohibited by law if you do not accept this License. Therefore, by 184 | modifying or distributing the Program (or any work based on the 185 | Program), you indicate your acceptance of this License to do so, and 186 | all its terms and conditions for copying, distributing or modifying 187 | the Program or works based on it. 188 | 189 | 6. Each time you redistribute the Program (or any work based on the 190 | Program), the recipient automatically receives a license from the 191 | original licensor to copy, distribute or modify the Program subject to 192 | these terms and conditions. You may not impose any further 193 | restrictions on the recipients' exercise of the rights granted herein. 194 | You are not responsible for enforcing compliance by third parties to 195 | this License. 196 | 197 | 7. If, as a consequence of a court judgment or allegation of patent 198 | infringement or for any other reason (not limited to patent issues), 199 | conditions are imposed on you (whether by court order, agreement or 200 | otherwise) that contradict the conditions of this License, they do not 201 | excuse you from the conditions of this License. If you cannot 202 | distribute so as to satisfy simultaneously your obligations under this 203 | License and any other pertinent obligations, then as a consequence you 204 | may not distribute the Program at all. For example, if a patent 205 | license would not permit royalty-free redistribution of the Program by 206 | all those who receive copies directly or indirectly through you, then 207 | the only way you could satisfy both it and this License would be to 208 | refrain entirely from distribution of the Program. 209 | 210 | If any portion of this section is held invalid or unenforceable under 211 | any particular circumstance, the balance of the section is intended to 212 | apply and the section as a whole is intended to apply in other 213 | circumstances. 214 | 215 | It is not the purpose of this section to induce you to infringe any 216 | patents or other property right claims or to contest validity of any 217 | such claims; this section has the sole purpose of protecting the 218 | integrity of the free software distribution system, which is 219 | implemented by public license practices. Many people have made 220 | generous contributions to the wide range of software distributed 221 | through that system in reliance on consistent application of that 222 | system; it is up to the author/donor to decide if he or she is willing 223 | to distribute software through any other system and a licensee cannot 224 | impose that choice. 225 | 226 | This section is intended to make thoroughly clear what is believed to 227 | be a consequence of the rest of this License. 228 | 229 | 8. If the distribution and/or use of the Program is restricted in 230 | certain countries either by patents or by copyrighted interfaces, the 231 | original copyright holder who places the Program under this License 232 | may add an explicit geographical distribution limitation excluding 233 | those countries, so that distribution is permitted only in or among 234 | countries not thus excluded. In such case, this License incorporates 235 | the limitation as if written in the body of this License. 236 | 237 | 9. The Free Software Foundation may publish revised and/or new versions 238 | of the General Public License from time to time. Such new versions will 239 | be similar in spirit to the present version, but may differ in detail to 240 | address new problems or concerns. 241 | 242 | Each version is given a distinguishing version number. If the Program 243 | specifies a version number of this License which applies to it and "any 244 | later version", you have the option of following the terms and conditions 245 | either of that version or of any later version published by the Free 246 | Software Foundation. If the Program does not specify a version number of 247 | this License, you may choose any version ever published by the Free Software 248 | Foundation. 249 | 250 | 10. If you wish to incorporate parts of the Program into other free 251 | programs whose distribution conditions are different, write to the author 252 | to ask for permission. For software which is copyrighted by the Free 253 | Software Foundation, write to the Free Software Foundation; we sometimes 254 | make exceptions for this. Our decision will be guided by the two goals 255 | of preserving the free status of all derivatives of our free software and 256 | of promoting the sharing and reuse of software generally. 257 | 258 | NO WARRANTY 259 | 260 | 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY 261 | FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN 262 | OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES 263 | PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED 264 | OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF 265 | MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS 266 | TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE 267 | PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, 268 | REPAIR OR CORRECTION. 269 | 270 | 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 271 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR 272 | REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, 273 | INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING 274 | OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED 275 | TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY 276 | YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER 277 | PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE 278 | POSSIBILITY OF SUCH DAMAGES. 279 | 280 | END OF TERMS AND CONDITIONS 281 | 282 | How to Apply These Terms to Your New Programs 283 | 284 | If you develop a new program, and you want it to be of the greatest 285 | possible use to the public, the best way to achieve this is to make it 286 | free software which everyone can redistribute and change under these terms. 287 | 288 | To do so, attach the following notices to the program. It is safest 289 | to attach them to the start of each source file to most effectively 290 | convey the exclusion of warranty; and each file should have at least 291 | the "copyright" line and a pointer to where the full notice is found. 292 | 293 | {description} 294 | Copyright (C) {year} {fullname} 295 | 296 | This program is free software; you can redistribute it and/or modify 297 | it under the terms of the GNU General Public License as published by 298 | the Free Software Foundation; either version 2 of the License, or 299 | (at your option) any later version. 300 | 301 | This program is distributed in the hope that it will be useful, 302 | but WITHOUT ANY WARRANTY; without even the implied warranty of 303 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 304 | GNU General Public License for more details. 305 | 306 | You should have received a copy of the GNU General Public License along 307 | with this program; if not, write to the Free Software Foundation, Inc., 308 | 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. 309 | 310 | Also add information on how to contact you by electronic and paper mail. 311 | 312 | If the program is interactive, make it output a short notice like this 313 | when it starts in an interactive mode: 314 | 315 | Gnomovision version 69, Copyright (C) year name of author 316 | Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. 317 | This is free software, and you are welcome to redistribute it 318 | under certain conditions; type `show c' for details. 319 | 320 | The hypothetical commands `show w' and `show c' should show the appropriate 321 | parts of the General Public License. Of course, the commands you use may 322 | be called something other than `show w' and `show c'; they could even be 323 | mouse-clicks or menu items--whatever suits your program. 324 | 325 | You should also get your employer (if you work as a programmer) or your 326 | school, if any, to sign a "copyright disclaimer" for the program, if 327 | necessary. Here is a sample; alter the names: 328 | 329 | Yoyodyne, Inc., hereby disclaims all copyright interest in the program 330 | `Gnomovision' (which makes passes at compilers) written by James Hacker. 331 | 332 | {signature of Ty Coon}, 1 April 1989 333 | Ty Coon, President of Vice 334 | 335 | This General Public License does not permit incorporating your program into 336 | proprietary programs. If your program is a subroutine library, you may 337 | consider it more useful to permit linking proprietary applications with the 338 | library. If this is what you want to do, use the GNU Lesser General 339 | Public License instead of this License. 340 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Newscombinator 2 | 3 | > A Webapp is just a frontend around a database 4 | 5 | [http://reader.newscombinator.com - The Reader](http://reader.newscombinator.com) by [Newscombinator](http://www.newscombinator.com) 6 | 7 | 8 | ## Introduction 9 | 10 | Reading a lot of news-sites is tiring. Being top-informed on Reddit, Ycombinator, Makernews, Datatau, Coinspotting and many more has become a hassle. The Newscombinator combines all those sites and grabs it from a publicly available API. 11 | 12 | The Newscombinator is written in JavaScript, wrapping AngularJS and Bootstrap around a RESTful API. It is a sample App to demonstrate the possibilities of the underlying Solr-Index. 13 | 14 | Why? I am working on a side project, the News Aggregator, which automagically classifies IT news to categories which were setup by yourself. I think opening the API will follow soon, so I think this is a great first kickoff app for demos. 15 | 16 | ## Installation 17 | 18 | 19 | git clone git@github.com:tomw1808/newscombinator.git 20 | 21 | 22 | Then install it 23 | 24 | npm install 25 | 26 | bower install 27 | 28 | 29 | And start hacking your own version. As simple as that. 30 | 31 | The solution here is responsive, pretty much standard angular and bootstrap. Feel free to make something really awesome with that and put your name underneath. 32 | 33 | 34 | ## Api Limits 35 | 36 | We (well, technically I) try our (my) best to keep the service running. Currently there are soft-limits in place: if you take the server(s) down - accidentally or not - your IP will be banned, no exceptions. So keep it sane, please. 37 | 38 | ## License 39 | 40 | Feel free to redistribute, modify and use the code for and in any projects. I will not take any responsibility or whatsoever for code/server and or information provided, and keep the right to change/modify/stop the underlying API at any time. You can find more in the provided LICENSE.txt. You can take it for granted, I will not pursue any copyright claims to the software, either modified or not. I personally think its good manner to get in touch with me before using the software for third party apps or anything else. 41 | 42 | ## Sources 43 | 44 | Coinspotting - for Cryptocurrencies, DataTau, Devmaster, Dzone, Echo JS - News for Javascript, Firespotting - for Ideas, Inbound - For Marketing, Lamernews, Lesswrong Discussion, Lobsters, Makernews, Med Technology News - medical technology, Pullup.io - NodeJS related, r/Algorithms, r/Analytics, r/Analyzit, r/Angular JS, r/Bitcoin, r/BSD, r/Business Intelligence, r/Cableporn, r/Coding, r/Coq, r/Crypto, r/Data is Beautiful, r/Data Science, r/Database, r/DataHoarder, r/Datasets, r/Dependent Types, r/Design, r/Devkit, r/Django, r/DuckDuckGo, r/embeddedlinux, r/Entrepeneur, r/FreeBSD, r/Frontend, r/FSharp, r/Gamification, r/HaikuOS, r/Haskell, r/Homelab, r/Ingress, r/IPython, r/Kernel, r/Linux, r/Linux Devices, r/Linuxadmin, r/LinuxDev, r/Lisp, r/Lowlevel, r/Machine Learning, r/Math, r/NetBSD, r/NetSec, r/NodeJS, r/Ocaml, r/OpenBSD, r/OpenData, r/Opensource Hardware, r/OpenSUSE, r/OpenWRT, r/Optimization, r/OS Dev, r/Philosophy of Science, r/Philospohy of Math, r/Programming, r/Programming Languages, r/Python, r/REMath, r/Reverse Engineering, r/RTLSDR, r/Scala, r/Semantic Web, r/Smallbusiness, r/Startups, r/Statistics, r/Sysadmin, r/Sysor, r/Systems, r/Types, r/Unix, r/Usefulscripts, r/Visualization, r/VRD, r/Webdesign, r/Webdev, Slashdot.org, Soylent News, USV - Union Square Ventures, WoodSpotting , Y Combinator - Hacker News. 45 | 46 | ## Contact 47 | 48 | Get in touch with me on thomas at newscombinator dot com. Or like the [HNCombinator](https://twitter.com/HNCombinator) on twitter, that would be very helpful. If you want to get the latest infos, when what happens, why not [subscribe](http://eepurl.com/-q6v1)? We don't like spam. 49 | -------------------------------------------------------------------------------- /app/.buildignore: -------------------------------------------------------------------------------- 1 | *.coffee -------------------------------------------------------------------------------- /app/.htaccess: -------------------------------------------------------------------------------- 1 | # Apache Configuration File 2 | 3 | # (!) Using `.htaccess` files slows down Apache, therefore, if you have access 4 | # to the main server config file (usually called `httpd.conf`), you should add 5 | # this logic there: http://httpd.apache.org/docs/current/howto/htaccess.html. 6 | 7 | # ############################################################################## 8 | # # CROSS-ORIGIN RESOURCE SHARING (CORS) # 9 | # ############################################################################## 10 | 11 | # ------------------------------------------------------------------------------ 12 | # | Cross-domain AJAX requests | 13 | # ------------------------------------------------------------------------------ 14 | 15 | # Enable cross-origin AJAX requests. 16 | # http://code.google.com/p/html5security/wiki/CrossOriginRequestSecurity 17 | # http://enable-cors.org/ 18 | 19 | # 20 | # Header set Access-Control-Allow-Origin "*" 21 | # 22 | 23 | # ------------------------------------------------------------------------------ 24 | # | CORS-enabled images | 25 | # ------------------------------------------------------------------------------ 26 | 27 | # Send the CORS header for images when browsers request it. 28 | # https://developer.mozilla.org/en/CORS_Enabled_Image 29 | # http://blog.chromium.org/2011/07/using-cross-domain-images-in-webgl-and.html 30 | # http://hacks.mozilla.org/2011/11/using-cors-to-load-webgl-textures-from-cross-domain-images/ 31 | 32 | 33 | 34 | 35 | SetEnvIf Origin ":" IS_CORS 36 | Header set Access-Control-Allow-Origin "*" env=IS_CORS 37 | 38 | 39 | 40 | 41 | # ------------------------------------------------------------------------------ 42 | # | Web fonts access | 43 | # ------------------------------------------------------------------------------ 44 | 45 | # Allow access from all domains for web fonts 46 | 47 | 48 | 49 | Header set Access-Control-Allow-Origin "*" 50 | 51 | 52 | 53 | 54 | # ############################################################################## 55 | # # ERRORS # 56 | # ############################################################################## 57 | 58 | # ------------------------------------------------------------------------------ 59 | # | 404 error prevention for non-existing redirected folders | 60 | # ------------------------------------------------------------------------------ 61 | 62 | # Prevent Apache from returning a 404 error for a rewrite if a directory 63 | # with the same name does not exist. 64 | # http://httpd.apache.org/docs/current/content-negotiation.html#multiviews 65 | # http://www.webmasterworld.com/apache/3808792.htm 66 | 67 | Options -MultiViews 68 | 69 | # ------------------------------------------------------------------------------ 70 | # | Custom error messages / pages | 71 | # ------------------------------------------------------------------------------ 72 | 73 | # You can customize what Apache returns to the client in case of an error (see 74 | # http://httpd.apache.org/docs/current/mod/core.html#errordocument), e.g.: 75 | 76 | ErrorDocument 404 /404.html 77 | 78 | 79 | # ############################################################################## 80 | # # INTERNET EXPLORER # 81 | # ############################################################################## 82 | 83 | # ------------------------------------------------------------------------------ 84 | # | Better website experience | 85 | # ------------------------------------------------------------------------------ 86 | 87 | # Force IE to render pages in the highest available mode in the various 88 | # cases when it may not: http://hsivonen.iki.fi/doctype/ie-mode.pdf. 89 | 90 | 91 | Header set X-UA-Compatible "IE=edge" 92 | # `mod_headers` can't match based on the content-type, however, we only 93 | # want to send this header for HTML pages and not for the other resources 94 | 95 | Header unset X-UA-Compatible 96 | 97 | 98 | 99 | # ------------------------------------------------------------------------------ 100 | # | Cookie setting from iframes | 101 | # ------------------------------------------------------------------------------ 102 | 103 | # Allow cookies to be set from iframes in IE. 104 | 105 | # 106 | # Header set P3P "policyref=\"/w3c/p3p.xml\", CP=\"IDC DSP COR ADM DEVi TAIi PSA PSD IVAi IVDi CONi HIS OUR IND CNT\"" 107 | # 108 | 109 | # ------------------------------------------------------------------------------ 110 | # | Screen flicker | 111 | # ------------------------------------------------------------------------------ 112 | 113 | # Stop screen flicker in IE on CSS rollovers (this only works in 114 | # combination with the `ExpiresByType` directives for images from below). 115 | 116 | # BrowserMatch "MSIE" brokenvary=1 117 | # BrowserMatch "Mozilla/4.[0-9]{2}" brokenvary=1 118 | # BrowserMatch "Opera" !brokenvary 119 | # SetEnvIf brokenvary 1 force-no-vary 120 | 121 | 122 | # ############################################################################## 123 | # # MIME TYPES AND ENCODING # 124 | # ############################################################################## 125 | 126 | # ------------------------------------------------------------------------------ 127 | # | Proper MIME types for all files | 128 | # ------------------------------------------------------------------------------ 129 | 130 | 131 | 132 | # Audio 133 | AddType audio/mp4 m4a f4a f4b 134 | AddType audio/ogg oga ogg 135 | 136 | # JavaScript 137 | # Normalize to standard type (it's sniffed in IE anyways): 138 | # http://tools.ietf.org/html/rfc4329#section-7.2 139 | AddType application/javascript js jsonp 140 | AddType application/json json 141 | 142 | # Video 143 | AddType video/mp4 mp4 m4v f4v f4p 144 | AddType video/ogg ogv 145 | AddType video/webm webm 146 | AddType video/x-flv flv 147 | 148 | # Web fonts 149 | AddType application/font-woff woff 150 | AddType application/vnd.ms-fontobject eot 151 | 152 | # Browsers usually ignore the font MIME types and sniff the content, 153 | # however, Chrome shows a warning if other MIME types are used for the 154 | # following fonts. 155 | AddType application/x-font-ttf ttc ttf 156 | AddType font/opentype otf 157 | 158 | # Make SVGZ fonts work on iPad: 159 | # https://twitter.com/FontSquirrel/status/14855840545 160 | AddType image/svg+xml svg svgz 161 | AddEncoding gzip svgz 162 | 163 | # Other 164 | AddType application/octet-stream safariextz 165 | AddType application/x-chrome-extension crx 166 | AddType application/x-opera-extension oex 167 | AddType application/x-shockwave-flash swf 168 | AddType application/x-web-app-manifest+json webapp 169 | AddType application/x-xpinstall xpi 170 | AddType application/xml atom rdf rss xml 171 | AddType image/webp webp 172 | AddType image/x-icon ico 173 | AddType text/cache-manifest appcache manifest 174 | AddType text/vtt vtt 175 | AddType text/x-component htc 176 | AddType text/x-vcard vcf 177 | 178 | 179 | 180 | # ------------------------------------------------------------------------------ 181 | # | UTF-8 encoding | 182 | # ------------------------------------------------------------------------------ 183 | 184 | # Use UTF-8 encoding for anything served as `text/html` or `text/plain`. 185 | AddDefaultCharset utf-8 186 | 187 | # Force UTF-8 for certain file formats. 188 | 189 | AddCharset utf-8 .atom .css .js .json .rss .vtt .webapp .xml 190 | 191 | 192 | 193 | # ############################################################################## 194 | # # URL REWRITES # 195 | # ############################################################################## 196 | 197 | # ------------------------------------------------------------------------------ 198 | # | Rewrite engine | 199 | # ------------------------------------------------------------------------------ 200 | 201 | # Turning on the rewrite engine and enabling the `FollowSymLinks` option is 202 | # necessary for the following directives to work. 203 | 204 | # If your web host doesn't allow the `FollowSymlinks` option, you may need to 205 | # comment it out and use `Options +SymLinksIfOwnerMatch` but, be aware of the 206 | # performance impact: http://httpd.apache.org/docs/current/misc/perf-tuning.html#symlinks 207 | 208 | # Also, some cloud hosting services require `RewriteBase` to be set: 209 | # http://www.rackspace.com/knowledge_center/frequently-asked-question/why-is-mod-rewrite-not-working-on-my-site 210 | 211 | 212 | Options +FollowSymlinks 213 | # Options +SymLinksIfOwnerMatch 214 | RewriteEngine On 215 | # RewriteBase / 216 | 217 | 218 | # ------------------------------------------------------------------------------ 219 | # | Suppressing / Forcing the "www." at the beginning of URLs | 220 | # ------------------------------------------------------------------------------ 221 | 222 | # The same content should never be available under two different URLs especially 223 | # not with and without "www." at the beginning. This can cause SEO problems 224 | # (duplicate content), therefore, you should choose one of the alternatives and 225 | # redirect the other one. 226 | 227 | # By default option 1 (no "www.") is activated: 228 | # http://no-www.org/faq.php?q=class_b 229 | 230 | # If you'd prefer to use option 2, just comment out all the lines from option 1 231 | # and uncomment the ones from option 2. 232 | 233 | # IMPORTANT: NEVER USE BOTH RULES AT THE SAME TIME! 234 | 235 | # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 236 | 237 | # Option 1: rewrite www.example.com → example.com 238 | 239 | 240 | RewriteCond %{HTTPS} !=on 241 | RewriteCond %{HTTP_HOST} ^www\.(.+)$ [NC] 242 | RewriteRule ^ http://%1%{REQUEST_URI} [R=301,L] 243 | 244 | 245 | # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 246 | 247 | # Option 2: rewrite example.com → www.example.com 248 | 249 | # Be aware that the following might not be a good idea if you use "real" 250 | # subdomains for certain parts of your website. 251 | 252 | # 253 | # RewriteCond %{HTTPS} !=on 254 | # RewriteCond %{HTTP_HOST} !^www\..+$ [NC] 255 | # RewriteRule ^ http://www.%{HTTP_HOST}%{REQUEST_URI} [R=301,L] 256 | # 257 | 258 | 259 | # ############################################################################## 260 | # # SECURITY # 261 | # ############################################################################## 262 | 263 | # ------------------------------------------------------------------------------ 264 | # | Content Security Policy (CSP) | 265 | # ------------------------------------------------------------------------------ 266 | 267 | # You can mitigate the risk of cross-site scripting and other content-injection 268 | # attacks by setting a Content Security Policy which whitelists trusted sources 269 | # of content for your site. 270 | 271 | # The example header below allows ONLY scripts that are loaded from the current 272 | # site's origin (no inline scripts, no CDN, etc). This almost certainly won't 273 | # work as-is for your site! 274 | 275 | # To get all the details you'll need to craft a reasonable policy for your site, 276 | # read: http://html5rocks.com/en/tutorials/security/content-security-policy (or 277 | # see the specification: http://w3.org/TR/CSP). 278 | 279 | # 280 | # Header set Content-Security-Policy "script-src 'self'; object-src 'self'" 281 | # 282 | # Header unset Content-Security-Policy 283 | # 284 | # 285 | 286 | # ------------------------------------------------------------------------------ 287 | # | File access | 288 | # ------------------------------------------------------------------------------ 289 | 290 | # Block access to directories without a default document. 291 | # Usually you should leave this uncommented because you shouldn't allow anyone 292 | # to surf through every directory on your server (which may includes rather 293 | # private places like the CMS's directories). 294 | 295 | 296 | Options -Indexes 297 | 298 | 299 | # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 300 | 301 | # Block access to hidden files and directories. 302 | # This includes directories used by version control systems such as Git and SVN. 303 | 304 | 305 | RewriteCond %{SCRIPT_FILENAME} -d [OR] 306 | RewriteCond %{SCRIPT_FILENAME} -f 307 | RewriteRule "(^|/)\." - [F] 308 | 309 | 310 | # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 311 | 312 | # Block access to backup and source files. 313 | # These files may be left by some text editors and can pose a great security 314 | # danger when anyone has access to them. 315 | 316 | 317 | Order allow,deny 318 | Deny from all 319 | Satisfy All 320 | 321 | 322 | # ------------------------------------------------------------------------------ 323 | # | Secure Sockets Layer (SSL) | 324 | # ------------------------------------------------------------------------------ 325 | 326 | # Rewrite secure requests properly to prevent SSL certificate warnings, e.g.: 327 | # prevent `https://www.example.com` when your certificate only allows 328 | # `https://secure.example.com`. 329 | 330 | # 331 | # RewriteCond %{SERVER_PORT} !^443 332 | # RewriteRule ^ https://example-domain-please-change-me.com%{REQUEST_URI} [R=301,L] 333 | # 334 | 335 | # - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - 336 | 337 | # Force client-side SSL redirection. 338 | 339 | # If a user types "example.com" in his browser, the above rule will redirect him 340 | # to the secure version of the site. That still leaves a window of opportunity 341 | # (the initial HTTP connection) for an attacker to downgrade or redirect the 342 | # request. The following header ensures that browser will ONLY connect to your 343 | # server via HTTPS, regardless of what the users type in the address bar. 344 | # http://www.html5rocks.com/en/tutorials/security/transport-layer-security/ 345 | 346 | # 347 | # Header set Strict-Transport-Security max-age=16070400; 348 | # 349 | 350 | # ------------------------------------------------------------------------------ 351 | # | Server software information | 352 | # ------------------------------------------------------------------------------ 353 | 354 | # Avoid displaying the exact Apache version number, the description of the 355 | # generic OS-type and the information about Apache's compiled-in modules. 356 | 357 | # ADD THIS DIRECTIVE IN THE `httpd.conf` AS IT WILL NOT WORK IN THE `.htaccess`! 358 | 359 | # ServerTokens Prod 360 | 361 | 362 | # ############################################################################## 363 | # # WEB PERFORMANCE # 364 | # ############################################################################## 365 | 366 | # ------------------------------------------------------------------------------ 367 | # | Compression | 368 | # ------------------------------------------------------------------------------ 369 | 370 | 371 | 372 | # Force compression for mangled headers. 373 | # http://developer.yahoo.com/blogs/ydn/posts/2010/12/pushing-beyond-gzipping 374 | 375 | 376 | SetEnvIfNoCase ^(Accept-EncodXng|X-cept-Encoding|X{15}|~{15}|-{15})$ ^((gzip|deflate)\s*,?\s*)+|[X~-]{4,13}$ HAVE_Accept-Encoding 377 | RequestHeader append Accept-Encoding "gzip,deflate" env=HAVE_Accept-Encoding 378 | 379 | 380 | 381 | # Compress all output labeled with one of the following MIME-types 382 | # (for Apache versions below 2.3.7, you don't need to enable `mod_filter` 383 | # and can remove the `` and `` lines 384 | # as `AddOutputFilterByType` is still in the core directives). 385 | 386 | AddOutputFilterByType DEFLATE application/atom+xml \ 387 | application/javascript \ 388 | application/json \ 389 | application/rss+xml \ 390 | application/vnd.ms-fontobject \ 391 | application/x-font-ttf \ 392 | application/x-web-app-manifest+json \ 393 | application/xhtml+xml \ 394 | application/xml \ 395 | font/opentype \ 396 | image/svg+xml \ 397 | image/x-icon \ 398 | text/css \ 399 | text/html \ 400 | text/plain \ 401 | text/x-component \ 402 | text/xml 403 | 404 | 405 | 406 | 407 | # ------------------------------------------------------------------------------ 408 | # | Content transformations | 409 | # ------------------------------------------------------------------------------ 410 | 411 | # Prevent some of the mobile network providers from modifying the content of 412 | # your site: http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.9.5. 413 | 414 | # 415 | # Header set Cache-Control "no-transform" 416 | # 417 | 418 | # ------------------------------------------------------------------------------ 419 | # | ETag removal | 420 | # ------------------------------------------------------------------------------ 421 | 422 | # Since we're sending far-future expires headers (see below), ETags can 423 | # be removed: http://developer.yahoo.com/performance/rules.html#etags. 424 | 425 | # `FileETag None` is not enough for every server. 426 | 427 | Header unset ETag 428 | 429 | 430 | FileETag None 431 | 432 | # ------------------------------------------------------------------------------ 433 | # | Expires headers (for better cache control) | 434 | # ------------------------------------------------------------------------------ 435 | 436 | # The following expires headers are set pretty far in the future. If you don't 437 | # control versioning with filename-based cache busting, consider lowering the 438 | # cache time for resources like CSS and JS to something like 1 week. 439 | 440 | 441 | 442 | ExpiresActive on 443 | ExpiresDefault "access plus 1 month" 444 | 445 | # CSS 446 | ExpiresByType text/css "access plus 1 year" 447 | 448 | # Data interchange 449 | ExpiresByType application/json "access plus 0 seconds" 450 | ExpiresByType application/xml "access plus 0 seconds" 451 | ExpiresByType text/xml "access plus 0 seconds" 452 | 453 | # Favicon (cannot be renamed!) 454 | ExpiresByType image/x-icon "access plus 1 week" 455 | 456 | # HTML components (HTCs) 457 | ExpiresByType text/x-component "access plus 1 month" 458 | 459 | # HTML 460 | ExpiresByType text/html "access plus 0 seconds" 461 | 462 | # JavaScript 463 | ExpiresByType application/javascript "access plus 1 year" 464 | 465 | # Manifest files 466 | ExpiresByType application/x-web-app-manifest+json "access plus 0 seconds" 467 | ExpiresByType text/cache-manifest "access plus 0 seconds" 468 | 469 | # Media 470 | ExpiresByType audio/ogg "access plus 1 month" 471 | ExpiresByType image/gif "access plus 1 month" 472 | ExpiresByType image/jpeg "access plus 1 month" 473 | ExpiresByType image/png "access plus 1 month" 474 | ExpiresByType video/mp4 "access plus 1 month" 475 | ExpiresByType video/ogg "access plus 1 month" 476 | ExpiresByType video/webm "access plus 1 month" 477 | 478 | # Web feeds 479 | ExpiresByType application/atom+xml "access plus 1 hour" 480 | ExpiresByType application/rss+xml "access plus 1 hour" 481 | 482 | # Web fonts 483 | ExpiresByType application/font-woff "access plus 1 month" 484 | ExpiresByType application/vnd.ms-fontobject "access plus 1 month" 485 | ExpiresByType application/x-font-ttf "access plus 1 month" 486 | ExpiresByType font/opentype "access plus 1 month" 487 | ExpiresByType image/svg+xml "access plus 1 month" 488 | 489 | 490 | 491 | # ------------------------------------------------------------------------------ 492 | # | Filename-based cache busting | 493 | # ------------------------------------------------------------------------------ 494 | 495 | # If you're not using a build process to manage your filename version revving, 496 | # you might want to consider enabling the following directives to route all 497 | # requests such as `/css/style.12345.css` to `/css/style.css`. 498 | 499 | # To understand why this is important and a better idea than `*.css?v231`, read: 500 | # http://stevesouders.com/blog/2008/08/23/revving-filenames-dont-use-querystring 501 | 502 | # 503 | # RewriteCond %{REQUEST_FILENAME} !-f 504 | # RewriteCond %{REQUEST_FILENAME} !-d 505 | # RewriteRule ^(.+)\.(\d+)\.(js|css|png|jpg|gif)$ $1.$3 [L] 506 | # 507 | 508 | # ------------------------------------------------------------------------------ 509 | # | File concatenation | 510 | # ------------------------------------------------------------------------------ 511 | 512 | # Allow concatenation from within specific CSS and JS files, e.g.: 513 | # Inside of `script.combined.js` you could have 514 | # 515 | # 516 | # and they would be included into this single file. 517 | 518 | # 519 | # 520 | # Options +Includes 521 | # AddOutputFilterByType INCLUDES application/javascript application/json 522 | # SetOutputFilter INCLUDES 523 | # 524 | # 525 | # Options +Includes 526 | # AddOutputFilterByType INCLUDES text/css 527 | # SetOutputFilter INCLUDES 528 | # 529 | # 530 | 531 | # ------------------------------------------------------------------------------ 532 | # | Persistent connections | 533 | # ------------------------------------------------------------------------------ 534 | 535 | # Allow multiple requests to be sent over the same TCP connection: 536 | # http://httpd.apache.org/docs/current/en/mod/core.html#keepalive. 537 | 538 | # Enable if you serve a lot of static content but, be aware of the 539 | # possible disadvantages! 540 | 541 | # 542 | # Header set Connection Keep-Alive 543 | # 544 | -------------------------------------------------------------------------------- /app/404.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | Page Not Found :( 6 | 141 | 142 | 143 |
144 |

Not found :(

145 |

Sorry, but the page you were trying to view does not exist.

146 |

It looks like this was the result of either:

147 | 151 | 154 | 155 |
156 | 157 | 158 | -------------------------------------------------------------------------------- /app/apple-touch-icon-114x114.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-114x114.png -------------------------------------------------------------------------------- /app/apple-touch-icon-120x120.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-120x120.png -------------------------------------------------------------------------------- /app/apple-touch-icon-144x144.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-144x144.png -------------------------------------------------------------------------------- /app/apple-touch-icon-152x152.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-152x152.png -------------------------------------------------------------------------------- /app/apple-touch-icon-180x180.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-180x180.png -------------------------------------------------------------------------------- /app/apple-touch-icon-57x57.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-57x57.png -------------------------------------------------------------------------------- /app/apple-touch-icon-60x60.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-60x60.png -------------------------------------------------------------------------------- /app/apple-touch-icon-72x72.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-72x72.png -------------------------------------------------------------------------------- /app/apple-touch-icon-76x76.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-76x76.png -------------------------------------------------------------------------------- /app/apple-touch-icon-precomposed.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon-precomposed.png -------------------------------------------------------------------------------- /app/apple-touch-icon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/apple-touch-icon.png -------------------------------------------------------------------------------- /app/browserconfig.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | #da532c 10 | 11 | 12 | 13 | -------------------------------------------------------------------------------- /app/favicon-160x160.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/favicon-160x160.png -------------------------------------------------------------------------------- /app/favicon-16x16.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/favicon-16x16.png -------------------------------------------------------------------------------- /app/favicon-192x192.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/favicon-192x192.png -------------------------------------------------------------------------------- /app/favicon-32x32.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/favicon-32x32.png -------------------------------------------------------------------------------- /app/favicon-96x96.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/favicon-96x96.png -------------------------------------------------------------------------------- /app/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/favicon.ico -------------------------------------------------------------------------------- /app/images/ajax-loader.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/images/ajax-loader.gif -------------------------------------------------------------------------------- /app/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | Newscombinator - Hacker News Aggregator 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | 26 | 27 | 28 | 29 | 30 | 31 | 32 | 33 | 34 | 35 | 36 | 37 | 38 | 39 | 40 | 41 | 42 | 43 | 47 | 48 | 49 |
50 | 51 | 52 | 68 | 69 | 70 | 74 | 75 | 76 | 77 | 78 | 79 | 80 | 81 | 82 | 83 | 84 | 85 | 86 | 87 | 88 | 89 | 90 | 91 | 92 | 93 | 94 | 95 | 96 | 97 | 98 | 99 | 100 | 101 | 102 | 103 | 104 | 105 | 106 | 107 | 108 | 109 | 110 | 111 | 112 | 113 | 114 | 115 | 116 | 117 | 118 | 119 | 120 | 121 | 122 | -------------------------------------------------------------------------------- /app/mstile-144x144.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/mstile-144x144.png -------------------------------------------------------------------------------- /app/mstile-150x150.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/mstile-150x150.png -------------------------------------------------------------------------------- /app/mstile-310x150.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/mstile-310x150.png -------------------------------------------------------------------------------- /app/mstile-310x310.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/mstile-310x310.png -------------------------------------------------------------------------------- /app/mstile-70x70.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/app/mstile-70x70.png -------------------------------------------------------------------------------- /app/robots.txt: -------------------------------------------------------------------------------- 1 | # robotstxt.org 2 | 3 | User-agent: * 4 | -------------------------------------------------------------------------------- /app/scripts/app.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | /** 4 | * @ngdoc overview 5 | * @name agrgtrApp 6 | * @description 7 | * # agrgtrApp 8 | * 9 | * Main module of the application. 10 | */ 11 | angular 12 | .module('agrgtrApp', [ 13 | 'ngAnimate', 14 | 'ngCookies', 15 | 'ngResource', 16 | 'ngRoute', 17 | 'ngSanitize', 18 | 'ngTouch', 19 | 'config', 20 | 'ui.bootstrap', 21 | 'angular-loading-bar', 22 | 'duScroll', 23 | 'infinite-scroll', 24 | 'truncate', 25 | 'angularMoment' 26 | ]) 27 | .config(function ($routeProvider, $httpProvider) { 28 | $routeProvider 29 | .when('/', { 30 | templateUrl: 'views/top.html', 31 | controller: 'TopCtrl', 32 | reloadOnSearch: true 33 | 34 | 35 | 36 | }) 37 | 38 | .when('/about', { 39 | templateUrl: 'views/about.html', 40 | controller: 'MainCtrl' 41 | }) 42 | .otherwise({ 43 | redirectTo: '/' 44 | }); 45 | 46 | 47 | 48 | // Use x-www-form-urlencoded Content-Type 49 | $httpProvider.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded;charset=utf-8'; 50 | $httpProvider.defaults.headers.put['Content-Type'] = 'application/x-www-form-urlencoded;charset=utf-8'; 51 | 52 | /** 53 | * The workhorse; converts an object to x-www-form-urlencoded serialization. 54 | * @param {Object} obj 55 | * @return {String} 56 | */ 57 | var param = function (obj) { 58 | var query = '', name, value, fullSubName, subName, subValue, innerObj, i; 59 | 60 | for (name in obj) { 61 | value = obj[name]; 62 | 63 | if (value instanceof Array) { 64 | for (i = 0; i < value.length; ++i) { 65 | subValue = value[i]; 66 | fullSubName = name + '[' + i + ']'; 67 | innerObj = {}; 68 | innerObj[fullSubName] = subValue; 69 | query += param(innerObj) + '&'; 70 | } 71 | } 72 | else if (value instanceof Object) { 73 | for (subName in value) { 74 | subValue = value[subName]; 75 | fullSubName = name + '[' + subName + ']'; 76 | innerObj = {}; 77 | innerObj[fullSubName] = subValue; 78 | query += param(innerObj) + '&'; 79 | } 80 | } 81 | else if (value !== undefined && value !== null) 82 | query += encodeURIComponent(name) + '=' + encodeURIComponent(value) + '&'; 83 | } 84 | 85 | return query.length ? query.substr(0, query.length - 1) : query; 86 | }; 87 | 88 | // Override $http service's default transformRequest 89 | $httpProvider.defaults.transformRequest = [function (data) { 90 | return angular.isObject(data) && String(data) !== '[object File]' ? param(data) : data; 91 | }]; 92 | }).directive('navAutoClose', function () { 93 | return function (scope, elm, attrs) { 94 | var collapsible = $(elm).find(".navbar-collapse"); 95 | var visible = false; 96 | 97 | collapsible.on("show.bs.collapse", function () { 98 | visible = true; 99 | }); 100 | 101 | collapsible.on("hide.bs.collapse", function () { 102 | visible = false; 103 | }); 104 | 105 | $(elm).find("a").each(function (index, element) { 106 | $(element).click(function (e) { 107 | if (visible && "auto" == collapsible.css("overflow-y")) { 108 | collapsible.collapse("hide"); 109 | } 110 | }); 111 | }); 112 | } 113 | }); 114 | 115 | 116 | -------------------------------------------------------------------------------- /app/scripts/config.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('config', []) 4 | 5 | .constant('ENV', { 6 | 'name': 'NAgrgtr', 7 | 'apiEndpoint': 'http://www.newscombinator.com/api/', 8 | 'trainsamples': 10 9 | }) 10 | 11 | ; -------------------------------------------------------------------------------- /app/scripts/controllers/top.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | /** 4 | * @ngdoc function 5 | * @name agrgtrApp.controller:AboutCtrl 6 | * @description 7 | * # AboutCtrl 8 | * Controller of the agrgtrApp 9 | */ 10 | angular.module('agrgtrApp') 11 | .controller('TopCtrl', function ($scope, TopnewsService, $location, $routeParams, $route, $window, amTimeAgoConfig) { 12 | 13 | $scope.collapsed = {}; 14 | 15 | $scope.collapsed['mobile_menu'] = true; 16 | $scope.collapsed['sources'] = true; 17 | $scope.collapsed['top_entities'] = true; 18 | $scope.collapsed['top_tags'] = true; 19 | if("qs" in $routeParams) { 20 | TopnewsService.query = angular.fromJson($routeParams.qs); 21 | 22 | if("dates" in TopnewsService.query) { 23 | if ("from_date" in TopnewsService.query.dates && TopnewsService.query.dates.from_date != null) { 24 | TopnewsService.query.dates.from_date = new Date(TopnewsService.query.dates.from_date); 25 | } 26 | if ("to_date" in TopnewsService.query.dates && TopnewsService.query.dates.to_date != null) { 27 | TopnewsService.query.dates.to_date = new Date(TopnewsService.query.dates.to_date); 28 | } 29 | } 30 | } else { 31 | TopnewsService.reset(); 32 | } 33 | if("ranking" in $routeParams) { 34 | $scope.ranking = angular.fromJson($routeParams.ranking); 35 | if($scope.ranking == 'custom') { 36 | $scope.collapsed['ranking_custom'] = false; 37 | } else { 38 | $scope.collapsed['ranking_custom'] = true; 39 | } 40 | } else { 41 | $scope.ranking = "top"; 42 | $scope.collapsed['ranking_custom'] = true; 43 | } 44 | 45 | TopnewsService.loadNews(true); 46 | 47 | $scope.getResults = function () { 48 | return TopnewsService.results; 49 | }; 50 | 51 | 52 | 53 | $scope.date = TopnewsService.query.dates; 54 | 55 | $scope.q = TopnewsService.query.custom; 56 | 57 | $scope.importancy = TopnewsService.query.importancy; 58 | $scope.sources = TopnewsService.query.sourcelinks; 59 | 60 | 61 | 62 | 63 | $scope.toggleCollapsed = function (objArticle, forceopen) { 64 | if (forceopen == true) { 65 | 66 | objArticle.hide_titlelinks = true; 67 | $scope.collapsed[objArticle.id] = false; 68 | TopnewsService.fetchSimilarToArticle(objArticle); 69 | TopnewsService.fetchSourceitems(objArticle); 70 | 71 | } else { 72 | if (!(objArticle.id in $scope.collapsed) || $scope.collapsed[objArticle.id]) { 73 | objArticle.hide_titlelinks = true; 74 | $scope.collapsed[objArticle.id] = false; 75 | TopnewsService.fetchSimilarToArticle(objArticle); 76 | TopnewsService.fetchSourceitems(objArticle); 77 | 78 | 79 | } else { 80 | objArticle.sourceitems = undefined; 81 | objArticle.hide_titlelinks = undefined; 82 | $scope.collapsed[objArticle.id] = !$scope.collapsed[objArticle.id]; 83 | } 84 | } 85 | }; 86 | 87 | $scope.nextPage = function () { 88 | amTimeAgoConfig.serverTime = new Date().getTime(); 89 | TopnewsService.nextPage(); 90 | }; 91 | 92 | $scope.getTopEntities = function () { 93 | return TopnewsService.entities; 94 | }; 95 | $scope.getTopSentiments = function () { 96 | return TopnewsService.sentiments; 97 | }; 98 | $scope.getTopTags = function () { 99 | return TopnewsService.tags; 100 | }; 101 | 102 | 103 | $scope.addEntity = function (entity) { 104 | TopnewsService.addEntity(entity); 105 | $scope.startSearch(); 106 | }; 107 | $scope.addTag = function (tag) { 108 | TopnewsService.addTag(tag); 109 | $scope.startSearch(); 110 | }; 111 | 112 | $scope.getSelectedEntities = function () { 113 | return TopnewsService.query.entities; 114 | }; 115 | $scope.getSelectedTags = function () { 116 | return TopnewsService.query.tags; 117 | }; 118 | 119 | $scope.removeEntity = function (index) { 120 | TopnewsService.removeEntity(index); 121 | 122 | $scope.startSearch(); 123 | }; 124 | $scope.removeTag = function (index) { 125 | TopnewsService.removeTag(index); 126 | 127 | $scope.startSearch(); 128 | }; 129 | 130 | $scope.setQuery = function(query) { 131 | $scope.q = query; 132 | $scope.startSearch(); 133 | }; 134 | 135 | $scope.setStartDate = function(date) { 136 | $scope.date.from_date = date; 137 | $scope.startSearch(); 138 | }; 139 | $scope.setEndDate = function(date) { 140 | $scope.date.to_date = date; 141 | $scope.startSearch(); 142 | }; 143 | 144 | $scope.toolTipContentFunction = function (obj) { 145 | console.log(obj); 146 | }; 147 | 148 | $scope.isLoading = function () { 149 | return TopnewsService.siteState.loading; 150 | }; 151 | 152 | $scope.reloadData = function () { 153 | $route.reload(); 154 | //TopnewsService.loadNews(true); 155 | }; 156 | 157 | $scope.getJsonLink = function() { 158 | return "http://nagrgtr.com/api/search/?dismax=0&highlight=0&only_newest_similar=0&rows=30&q="+escape(TopnewsService.getQueryString()); 159 | }; 160 | 161 | $scope.startSearch = function () { 162 | amTimeAgoConfig.serverTime = new Date().getTime(); 163 | TopnewsService.query.custom = $scope.q; 164 | //var qs = angular.toJson(TopnewsService.query); 165 | $location.search({qs: angular.toJson(TopnewsService.query), ranking: angular.toJson($scope.ranking)}); 166 | //$location.search({a: "blubb", b: "bla"}); 167 | //$window.location.href = "/#/?qs=" + escape(angular.toJson(TopnewsService.query)) + "&ranking="+escape(angular.toJson($scope.ranking)); 168 | }; 169 | 170 | $scope.resetData = function () { 171 | TopnewsService.reset(); 172 | $location.search({qs: angular.toJson(TopnewsService.query)}); 173 | //TopnewsService.loadNews(true); 174 | }; 175 | 176 | $scope.chartEntityXFunction = function (x) { 177 | if (x.key == -2) { 178 | return "Very Bad News"; 179 | } else if (x.key == -1) { 180 | return "Bad News"; 181 | } else if (x.key == 0) { 182 | return "Neutral News"; 183 | } else if (x.key == 1) { 184 | return "Good News"; 185 | } else if (x.key == 2) { 186 | return "Very Good News"; 187 | } 188 | }; 189 | $scope.chartEntityYFunction = function (y) { 190 | return y.val; 191 | }; 192 | 193 | $scope.open = function ($event, datepicker) { 194 | $event.preventDefault(); 195 | $event.stopPropagation(); 196 | if ($scope.opened == undefined) { 197 | $scope.opened = {}; 198 | } 199 | 200 | $scope.opened[datepicker] = true; 201 | }; 202 | 203 | $scope.setRanking = function(type) { 204 | $scope.ranking = type; 205 | }; 206 | 207 | 208 | 209 | }); 210 | 211 | -------------------------------------------------------------------------------- /app/scripts/directives/ngmodelonblur.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .directive('ngModelOnblur', function() { 5 | return { 6 | restrict: 'A', 7 | require: 'ngModel', 8 | priority: 1, // needed for angular 1.2.x 9 | link: function(scope, elm, attr, ngModelCtrl) { 10 | if (attr.type === 'radio' || attr.type === 'checkbox') return; 11 | 12 | elm.unbind('input').unbind('keydown').unbind('change'); 13 | elm.bind('mouseup touchend blur', function() { 14 | scope.$apply(function() { 15 | ngModelCtrl.$setViewValue(elm.val()); 16 | }); 17 | }); 18 | } 19 | }; 20 | }); -------------------------------------------------------------------------------- /app/scripts/filter/getfavicon.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .filter('getfavicon', function () { 5 | return function(data) { 6 | var a = document.createElement('a'); 7 | a.href = data; 8 | 9 | var favicon = "favicon.ico"; 10 | if(a.hostname.indexOf("makerland") != -1) { 11 | favicon = "static/img/makerland_favicon_SMALL.ico"; 12 | } 13 | if(a.hostname.indexOf("soylentnews") != -1) { 14 | favicon = "favicon-soylentnews.png"; 15 | } 16 | if(a.hostname.indexOf("inbound") != -1) { 17 | favicon = "assets/sites/inbound/img/fav.ico"; 18 | } 19 | return a.protocol + "//" + a.hostname+"/"+favicon; 20 | }; 21 | }); -------------------------------------------------------------------------------- /app/scripts/filter/gethostname.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .filter('gethostname', function () { 5 | return function(data, sourcemode) { 6 | if(data.indexOf("reddit") != -1 && sourcemode != undefined) { 7 | return data.replace("http://www.",""); 8 | } 9 | var a = document.createElement('a'); 10 | a.href = data; 11 | return a.hostname.replace("www.","").replace("news.",""); 12 | }; 13 | }); -------------------------------------------------------------------------------- /app/scripts/filter/mysqldate.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .filter('mysqldate', function () { 5 | return function (item) { 6 | if (item instanceof Date) { 7 | return item.getFullYear() + '-' + ('0' + (item.getMonth() + 1)).slice(-2) + '-' + ('0' + item.getDate()).slice(-2); 8 | } else if(typeof item == "string" ) { 9 | var date_string = item.split(/[- :]/); 10 | if(date_string.length > 3) { 11 | return new Date(parseInt(date_string[0]), parseInt(date_string[1]) - 1, parseInt(date_string[2]), parseInt(date_string[3]), parseInt(date_string[4]), parseInt(date_string[5])); 12 | } else { 13 | return new Date(parseInt(date_string[0]), parseInt(date_string[1]) - 1, parseInt(date_string[2])); 14 | } 15 | } 16 | }; 17 | }); -------------------------------------------------------------------------------- /app/scripts/filter/mysqldatetime.js: -------------------------------------------------------------------------------- 1 | angular.module('agrgtrApp') 2 | .filter('mysqlDatetime', function () { 3 | return function (item) { 4 | if (item instanceof Date) { 5 | return item.getFullYear() + '-' + ('0' + (item.getMonth() + 1)).slice(-2) + '-' + ('0' + item.getDate()).slice(-2); 6 | } else if(typeof item == "string" ) { 7 | var date_string = item.split(/[- :]/); 8 | return new Date(parseInt(date_string[0]), parseInt(date_string[1]) - 1, parseInt(date_string[2]), parseInt(date_string[3]), parseInt(date_string[4]), parseInt(date_string[5])); 9 | } 10 | }; 11 | }); -------------------------------------------------------------------------------- /app/scripts/filter/pad.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .filter('pad', function() { 5 | return function(n) { 6 | n = n + ''; 7 | return n.length >= 10 ? n : new Array(10 - n.length + 1).join('0') + n; 8 | } 9 | }); -------------------------------------------------------------------------------- /app/scripts/filter/showtitle.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .filter('showtitle', function($filter) { 5 | return function(objResult, arrHighlight) { 6 | if(objResult.title_website != '' && objResult.title_website != null && objResult.title_website.indexOf("Firespotting! Interesting Ideas, Every Day!") == -1) { 7 | 8 | 9 | if(arrHighlight != undefined) { 10 | return $filter('highlight')(objResult.title_website, arrHighlight, objResult.id, "title_website"); 11 | } else { 12 | return objResult.title_website; 13 | } 14 | } 15 | 16 | if(objResult.title_link != '' && objResult.title_link != null) { 17 | return objResult.title_link; 18 | } 19 | 20 | return objResult.url; 21 | } 22 | }); -------------------------------------------------------------------------------- /app/scripts/resources/search.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .factory('SearchResource', function ($resource, ENV) { 5 | return $resource ( 6 | ENV.apiEndpoint + "search/", {}, {query: {isArray: false}} 7 | ); 8 | }); 9 | -------------------------------------------------------------------------------- /app/scripts/resources/sourceitems.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .factory('SourceitemsResource', function ($resource, ENV) { 5 | return $resource ( 6 | ENV.apiEndpoint + "search/sourceitems/" 7 | ); 8 | }); 9 | -------------------------------------------------------------------------------- /app/scripts/resources/topnews.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .factory('TopnewsResource', function ($resource, ENV) { 5 | return $resource ( 6 | ENV.apiEndpoint + "search/topsimilar/" 7 | ); 8 | }); 9 | -------------------------------------------------------------------------------- /app/scripts/services/top.js: -------------------------------------------------------------------------------- 1 | 'use strict'; 2 | 3 | angular.module('agrgtrApp') 4 | .service('TopnewsService', function (SearchResource, SourceitemsResource, $q) { 5 | var self = this; 6 | self.start = 0; 7 | self.siteState = {loading: false}; 8 | self.topEntities = []; 9 | self.news = []; 10 | 11 | 12 | 13 | 14 | 15 | self.getQueryString = function () { 16 | var queryString = '( _val_:"log(add(1,hn_num_points))"^'+self.query.importancy.points*2.5+' _val_:"log(add(1,similar_doc_ids_count_i))"^'+self.query.importancy.similar*5+' _val_:"recip(ms(NOW/HOUR,created_at),3.16e-11,2300,1)"^'+self.query.importancy.age+')'; 17 | for(var i = 0; i < self.query.entities.length; i++) { 18 | queryString += ' +named_entities:"'+self.query.entities[i]+'"'; 19 | } 20 | for(i = 0; i < self.query.tags.length; i++) { 21 | queryString += ' +content_analyze:'+self.query.tags[i]; 22 | } 23 | 24 | if("sourcelinks" in self.query) { 25 | var source_links_set = false; 26 | for (i = 0; i < self.query.sourcelinks.length; i++) { 27 | if (self.query.sourcelinks[i].checked == 1) { 28 | if(!source_links_set) { 29 | queryString += " AND ("; 30 | source_links_set = true; 31 | } 32 | queryString += " source_links:*" + self.query.sourcelinks[i].host+"*"; 33 | } 34 | } 35 | if(source_links_set) { 36 | queryString += " )"; 37 | } 38 | } 39 | 40 | if(self.query.custom.length > 0) { 41 | queryString += ' '+self.query.custom+' '; 42 | } 43 | 44 | 45 | if(self.query.dates.from_date instanceof Date || self.query.dates.to_date instanceof Date) { 46 | queryString += ' AND (created_at:['; 47 | if(self.query.dates.from_date instanceof Date) { 48 | queryString += self.query.dates.from_date.toISOString(); 49 | } else { 50 | queryString += "*"; 51 | } 52 | queryString += " TO "; 53 | 54 | if(self.query.dates.to_date instanceof Date) { 55 | queryString += self.query.dates.to_date.toISOString(); 56 | } else { 57 | queryString += "*"; 58 | } 59 | queryString += "])" 60 | } 61 | return queryString; 62 | }; 63 | 64 | self.groupBySimilar = function() { 65 | return self.query.custom == "" ? "1" : "0"; 66 | }; 67 | 68 | self.getLoading = function () { 69 | return self.siteState.loading; 70 | }; 71 | 72 | 73 | self.fetchSimilarToArticle = function (objArticle) { 74 | if (!("similar_docs" in objArticle) || objArticle.similar_docs == null) { 75 | SearchResource.query({ 76 | "q": "{!join from=similar_doc_ids to=id}id:" + objArticle.id, 77 | "dismax": 0, 78 | "highlight": 0, 79 | "only_newest_similar": 0, 80 | "rows": 30, 81 | "order_by_desc": "created_at" 82 | }, function (result) { 83 | objArticle.similar_docs = result.response.docs; 84 | }); 85 | 86 | } 87 | }; 88 | 89 | self.fetchSourceitems = function(objArticle) { 90 | if (!("sourceitems" in objArticle) || objArticle.sourceitems == null) { 91 | SourceitemsResource.query({"id": objArticle.id},function(result) { 92 | objArticle.sourceitems = result; 93 | }) 94 | } 95 | }; 96 | 97 | self.getTopEntities = function (force) { 98 | if (!("$promise" in self.topEntities) || force) { 99 | var queryObj = { 100 | "q": self.getQueryString(), 101 | "fq[1]": "newest_similar_doc:true", 102 | "facet": "1", 103 | "highlight": "0", 104 | "dismax": 0, 105 | "rows": 0 106 | }; 107 | 108 | if(self.query.custom == "" && self.query.entities.length == 0) { 109 | queryObj["fq[2]"] = "created_at:[NOW/DAY TO *]"; 110 | } 111 | self.topEntities = SearchResource.query(queryObj, function (results) { 112 | 113 | var entities = []; 114 | var tags = []; 115 | var sentiments = []; 116 | var ent_for = results.facet_counts.facet_fields.entities; 117 | var max_value = 0; 118 | for (var i = 0; i < ent_for.length; i = i + 2) { 119 | var obj_entity = {}; 120 | 121 | if (i == 0) { 122 | max_value = ent_for[i + 1]; 123 | } 124 | obj_entity.key = ent_for[i]; 125 | 126 | obj_entity.val = ent_for[i + 1]; 127 | obj_entity.perc = 100 * ent_for[i + 1] / max_value; 128 | 129 | entities.push(obj_entity); 130 | if (i > 30) { 131 | break; 132 | } 133 | } 134 | 135 | ent_for = results.facet_counts.facet_fields.keywords; 136 | max_value = 0; 137 | for (i = 0; i < ent_for.length; i = i + 2) { 138 | var obj_tag = {}; 139 | 140 | if (i == 0) { 141 | max_value = ent_for[i + 1]; 142 | } 143 | obj_tag.key = ent_for[i]; 144 | 145 | obj_tag.val = ent_for[i + 1]; 146 | obj_tag.perc = 100 * ent_for[i + 1] / max_value; 147 | 148 | tags.push(obj_tag); 149 | if (i > 50) { 150 | break; 151 | } 152 | } 153 | 154 | ent_for = results.facet_counts.facet_ranges.sentiment.counts; 155 | for (i = 0; i < ent_for.length; i = i + 2) { 156 | var obj_entity = {}; 157 | 158 | obj_entity.key = ent_for[i]; 159 | 160 | obj_entity.val = ent_for[i + 1]; 161 | 162 | sentiments.push(obj_entity); 163 | 164 | } 165 | 166 | 167 | self.sentiments = sentiments; 168 | self.entities = entities; 169 | self.tags = tags; 170 | }); 171 | } 172 | 173 | return self.topEntities.$promise; 174 | }; 175 | 176 | self.loadNews = function (force) { 177 | self.siteState.loading = true; 178 | var deferred = $q.defer(); 179 | if (!("$promise" in self.news) || force) { 180 | self.news = SearchResource.query({ 181 | "q": self.getQueryString(), 182 | "dismax": 0, 183 | "highlight": 0, 184 | "only_newest_similar": self.groupBySimilar(), 185 | "rows": 30 186 | }); 187 | } 188 | 189 | self.news.$promise.then(function (result) { 190 | self.results = result.response.docs; 191 | self.start = result.response.docs.length; 192 | self.numFound = result.response.numFound; 193 | self.maxScore = result.response.maxScore; 194 | self.siteState.loading = false; 195 | self.getTopEntities(force); 196 | deferred.resolve(self.results); 197 | }, function () { 198 | deferred.reject(); 199 | }); 200 | 201 | return deferred.promise; 202 | }; 203 | 204 | self.getQueryEntities = function () { 205 | return self.query.entities; 206 | }; 207 | self.removeEntity = function (index) { 208 | if(self.query.entities[index] != undefined) { 209 | self.query.entities.splice(index,1); 210 | } 211 | 212 | }; 213 | 214 | self.addEntity = function(entity) { 215 | 216 | var add = true; 217 | //do nothing if entity is already in the list 218 | angular.forEach(self.query.entities, function(value) { 219 | if(value == entity) { 220 | add = false; 221 | } 222 | }); 223 | if(add) { 224 | self.query.entities.push(entity); 225 | return true; 226 | } 227 | return false; 228 | }; 229 | 230 | self.getResults = function () { 231 | return self.results; 232 | }; 233 | 234 | self.setQuery = function(query) { 235 | self.query.custom = query; 236 | 237 | }; 238 | 239 | self.getQueryTags = function () { 240 | return self.query.tags; 241 | }; 242 | self.removeTag = function (index) { 243 | if(self.query.tags[index] != undefined) { 244 | self.query.tags.splice(index,1); 245 | } 246 | 247 | }; 248 | 249 | self.addTag = function(tag) { 250 | 251 | var add = true; 252 | //do nothing if entity is already in the list 253 | angular.forEach(self.query.tags, function(value) { 254 | if(value == tag) { 255 | add = false; 256 | } 257 | }); 258 | if(add) { 259 | self.query.tags.push(tag); 260 | return true; 261 | } 262 | return false; 263 | }; 264 | 265 | self.getResults = function () { 266 | return self.results; 267 | }; 268 | 269 | self.setQuery = function(query) { 270 | self.query.custom = query; 271 | 272 | }; 273 | 274 | 275 | self.nextPage = function () { 276 | if (self.siteState.loading == false) { 277 | if (self.start < self.numFound) { 278 | self.start += 10; 279 | self.siteState.loading = true; 280 | SearchResource.query({ 281 | "q": self.getQueryString(), 282 | "start": self.start, 283 | "dismax": 0, 284 | "highlight": 0, 285 | "only_newest_similar": self.groupBySimilar() 286 | }, function (response) { 287 | var items = response.response.docs; 288 | for (var i = 0; i < items.length; i++) { 289 | self.results.push(items[i]); 290 | } 291 | self.siteState.loading = false; 292 | }); 293 | } 294 | } 295 | }; 296 | 297 | self.reset = function() { 298 | self.query = {}; 299 | self.query.entities = []; 300 | self.query.tags = []; 301 | self.query.custom = ""; 302 | self.query.dates = { 303 | from_date: null, 304 | to_date: null 305 | }; 306 | self.query.importancy = {"points": 2.5, "similar": 2.5, "age": 2.5}; 307 | 308 | self.query.sourcelinks = [ 309 | {host: "ycombinator.com", checked: 0}, 310 | {host: "/r/algorithms", checked: 0}, 311 | {host: "/r/analytics", checked: 0}, 312 | {host: "/r/angularjs", checked: 0}, 313 | {host: "/r/BSD", checked: 0}, 314 | {host: "/r/linux", checked: 0}, 315 | {host: "/r/linuxadmin", checked: 0}, 316 | {host: "/r/linuxdev", checked: 0}, 317 | {host: "/r/Bitcoin", checked: 0}, 318 | {host: "coinspotting", checked: 0}, 319 | {host: "/r/Entrepreneur", checked: 0}, 320 | {host: "/r/crypto", checked: 0}, 321 | {host: "/r/MachineLearning", checked: 0}, 322 | {host: "/r/dataisbeautiful", checked: 0}, 323 | {host: "datatau", checked: 0}, 324 | {host: "devmaster.net", checked: 0}, 325 | {host: "dzone.com", checked: 0}, 326 | {host: "echojs.com", checked: 0}, 327 | {host: "/r/webdev", checked: 0}, 328 | {host: "/r/web_design", checked: 0}, 329 | {host: "pullup.io", checked: 0}, 330 | {host: "lobste.rs", checked: 0}, 331 | {host: "slashdot.org", checked: 0}, 332 | {host: "soylentnews.org", checked: 0}, 333 | {host: "firespotting.com", checked: 0}, 334 | {host: "woodspotting.com", checked: 0} 335 | ]; 336 | }; 337 | 338 | 339 | }); -------------------------------------------------------------------------------- /app/styles/main.css: -------------------------------------------------------------------------------- 1 | html { 2 | font-size: 100%; 3 | } 4 | 5 | body { 6 | font-size: 100%; 7 | line-height: 1.46em; 8 | } 9 | 10 | #content-wrap { 11 | padding-bottom: 60px; 12 | } 13 | 14 | .searchresult { 15 | cursor: pointer; 16 | } 17 | 18 | .searchresult.headline { 19 | cursor: pointer; 20 | font-size: 1.2em; 21 | line-height: 1.3em; 22 | font-weight: 700; 23 | font-style: normal; 24 | 25 | } 26 | 27 | .mainstory { 28 | margin-top: 14px; 29 | } 30 | 31 | .mainstory .searchresult.headline { 32 | 33 | } 34 | 35 | .searchresult .hostname { 36 | font-size: 75%; 37 | font-weight:normal; 38 | } 39 | 40 | small { 41 | font-size: 80%; 42 | } 43 | 44 | .url-content { 45 | color: #000; 46 | margin: 0; 47 | padding: 2px 0 5px; 48 | } 49 | 50 | .url-sublinks { 51 | margin: 0; 52 | line-height: normal; 53 | opacity: 0.7; 54 | 55 | -webkit-transition: all 200ms ease-in-out; 56 | -moz-transition: all 200ms ease-in-out; 57 | -o-transition: all 200ms ease-in-out; 58 | transition: all 200ms ease-in-out; 59 | } 60 | 61 | .url-sublinks:hover { 62 | opacity: 1; 63 | } 64 | 65 | 66 | .desaturate { 67 | filter: grayscale(100%); 68 | 69 | -webkit-transition: all 300ms ease-in-out; 70 | -moz-transition: all 300ms ease-in-out; 71 | -o-transition: all 300ms ease-in-out; 72 | transition: all 300ms ease-in-out; 73 | } 74 | .desaturate:hover { 75 | filter: grayscale(0); 76 | } 77 | 78 | .mainstory .url-content { 79 | font-size: 16px; 80 | } 81 | 82 | .story-row { 83 | margin-bottom: 15px; 84 | } 85 | .story-row .story-collapse-button{ 86 | display: none; 87 | } 88 | 89 | .story-row:hover { 90 | 91 | background-color: #efefef; 92 | } 93 | .story-row:hover .story-collapse-button{ 94 | 95 | display: block; 96 | } 97 | 98 | .entity-progress { 99 | height: 5px; 100 | } 101 | 102 | 103 | .story-content { 104 | padding: 5px 0; 105 | } 106 | 107 | .img-sourceitem { 108 | height: 14px; 109 | display: inline; 110 | } 111 | 112 | .searchresult:hover { 113 | text-decoration: none; 114 | } 115 | 116 | .searchresult:visited { 117 | color: #8c8c8c; 118 | } 119 | 120 | .searchresult:hover div { 121 | background-color: #e8f4ff; 122 | } 123 | 124 | .result_highlight { 125 | text-decoration: underline; 126 | } 127 | 128 | label { 129 | font-weight: lighter; 130 | } 131 | 132 | .extra-padding { 133 | padding: 5px 0; 134 | } 135 | 136 | 137 | .progress-bar { 138 | -webkit-transition: width 1s ease-in-out; 139 | -moz-transition: width 1s ease-in-out; 140 | -o-transition: width 1s ease-in-out; 141 | transition: width 1s ease-in-out; 142 | } 143 | 144 | .input-group-addon { 145 | min-width: 36px; 146 | } 147 | 148 | .scroll-able { 149 | position: fixed; 150 | top: 0; 151 | height: 100%; 152 | max-height: 100%; 153 | left: 0px; 154 | overflow: hidden; 155 | padding-right: 32px; 156 | } 157 | 158 | .scroll-able:hover { 159 | overflow: auto; 160 | padding-right: 15px; 161 | overflow-y: scroll; 162 | } 163 | 164 | input[type=range] { 165 | /*removes default webkit styles*/ 166 | -webkit-appearance: none; 167 | 168 | /*fix for FF unable to apply focus style bug */ 169 | border: 1px solid white; 170 | 171 | /*required for proper track sizing in FF*/ 172 | width: 100%; 173 | width: 100%; 174 | cursor: hand; 175 | } 176 | 177 | input[type=range]::-webkit-slider-runnable-track { 178 | width: 100%; 179 | height: 5px; 180 | background: #ddd; 181 | border: none; 182 | border-radius: 3px; 183 | } 184 | 185 | input[type=range]::-webkit-slider-thumb { 186 | -webkit-appearance: none; 187 | border: none; 188 | height: 16px; 189 | width: 16px; 190 | border-radius: 50%; 191 | background: #aaa; 192 | margin-top: -4px; 193 | cursor: hand; 194 | } 195 | 196 | input[type=range]:focus { 197 | outline: none; 198 | } 199 | 200 | input[type=range]:focus::-webkit-slider-runnable-track { 201 | background: #ccc; 202 | } 203 | 204 | input[type=range]::-moz-range-track { 205 | width: 100%; 206 | height: 5px; 207 | background: #ddd; 208 | border: none; 209 | border-radius: 3px; 210 | } 211 | 212 | input[type=range]::-moz-range-thumb { 213 | border: none; 214 | height: 16px; 215 | width: 16px; 216 | border-radius: 50%; 217 | background: #aaa; 218 | 219 | cursor: hand; 220 | } 221 | 222 | /*hide the outline behind the border*/ 223 | input[type=range]:-moz-focusring { 224 | outline: 1px solid white; 225 | outline-offset: -1px; 226 | } 227 | 228 | input[type=range]::-ms-track { 229 | width: 100%; 230 | height: 5px; 231 | 232 | /*remove bg colour from the track, we'll use ms-fill-lower and ms-fill-upper instead */ 233 | background: transparent; 234 | 235 | /*leave room for the larger thumb to overflow with a transparent border */ 236 | border-color: transparent; 237 | border-width: 6px 0; 238 | 239 | /*remove default tick marks*/ 240 | color: transparent; 241 | } 242 | 243 | input[type=range]::-ms-fill-lower { 244 | background: #777; 245 | border-radius: 10px; 246 | } 247 | 248 | input[type=range]::-ms-fill-upper { 249 | background: #ddd; 250 | border-radius: 10px; 251 | } 252 | 253 | input[type=range]::-ms-thumb { 254 | border: none; 255 | height: 16px; 256 | width: 16px; 257 | border-radius: 50%; 258 | background: #aaa; 259 | } 260 | 261 | input[type=range]:focus::-ms-fill-lower { 262 | background: #888; 263 | } 264 | 265 | input[type=range]:focus::-ms-fill-upper { 266 | background: #ccc; 267 | } 268 | 269 | .vertical-center { 270 | margin-top: 10%; 271 | } 272 | 273 | .searchmenu .progress-bar { 274 | background-color: #aaa; 275 | } 276 | 277 | .searchmenu { 278 | color: #aaa; 279 | } 280 | 281 | .searchmenu a, .searchmenu button { 282 | color: #777; 283 | } 284 | 285 | .searchmenu button.btn-primary { 286 | color: #fff; 287 | } 288 | 289 | @media screen and (max-width: 768px) { 290 | body { 291 | padding-top: 60px; 292 | } 293 | } 294 | 295 | @media screen and (min-width: 768px) { 296 | 297 | .searchmenu { 298 | background-color: #f8f8f8; 299 | border-left: 1px solid #eee; 300 | border-bottom: 1px solid #eee; 301 | padding-bottom: 15px; 302 | } 303 | 304 | } 305 | 306 | @media (max-width: 991px) { 307 | 308 | .navbar-header { 309 | float: none; 310 | } 311 | 312 | .navbar-toggle { 313 | display: block; 314 | } 315 | 316 | .navbar-collapse { 317 | border-top: 1px solid transparent; 318 | box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.1); 319 | } 320 | 321 | .navbar-collapse.collapse { 322 | display: none !important; 323 | } 324 | 325 | .navbar-nav { 326 | float: none !important; 327 | margin: 7.5px -15px; 328 | } 329 | 330 | .navbar-nav > li { 331 | float: none; 332 | } 333 | 334 | .navbar-nav > li > a { 335 | padding-top: 10px; 336 | padding-bottom: 10px; 337 | } 338 | 339 | .navbar-text { 340 | float: none; 341 | margin: 15px 0; 342 | } 343 | 344 | /* since 3.1.0 */ 345 | .navbar-collapse.collapse.in { 346 | display: block !important; 347 | overflow-y: auto; 348 | } 349 | 350 | /* since 3.1.0 */ 351 | .navbar-collapse.collapse.in { 352 | display: block !important; 353 | overflow-y: auto !important; 354 | } 355 | 356 | .collapsing { 357 | overflow: hidden !important; 358 | } 359 | 360 | .container-fluid > .navbar-collapse { 361 | margin-right: -15px; 362 | margin-left: -15px; 363 | } 364 | 365 | .navbar-fixed-top .navbar-collapse { 366 | padding-right: 15px; 367 | padding-left: 15px; 368 | } 369 | } -------------------------------------------------------------------------------- /app/views/about.html: -------------------------------------------------------------------------------- 1 |
2 |
3 |
4 |

About

5 |

6 | NA Search came out as a side project from a machine-learning task. You can reach me at thomas@(thisdomain).com if there are any questions. Made with love in Austria, Technical University of Technology. 7 |

8 |
9 |
10 |
-------------------------------------------------------------------------------- /app/views/help.html: -------------------------------------------------------------------------------- 1 |
2 |
3 |
4 |

General

5 | 6 |

7 | You reached Nagrgtr Search. Here you are looking in an index full of great data - not only headlines - 8 | yes, in the real content. 9 |
10 |
11 | Its aggregated content from outgoing links from Coinspotting - for Cryptocurrencies, DataTau, Devmaster, 12 | digg, Dzone, Echo JS 13 | - News for Javascript, Firespotting - for Ideas, Inbound - For Marketing, Lamernews, Lesswrong 14 | Discussion, Lobsters, Makernews, Med Technology News - medical technology, Pullup.io - NodeJS related, 15 | r/Algorithms, r/Analytics, r/Analyzit, r/Angular JS, r/Bitcoin, r/BSD, r/Business Intelligence, 16 | r/Cableporn, r/Coding, r/Coq, r/Crypto, r/Data is Beautiful, r/Data Science, r/Database, r/DataHoarder, 17 | r/Datasets, r/Dependent Types, r/Design, r/Devkit, r/Django, r/DuckDuckGo, r/embeddedlinux, 18 | r/Entrepeneur, r/FreeBSD, r/Frontend, r/FSharp, r/Gamification, r/HaikuOS, r/Haskell, r/Homelab, 19 | r/Ingress, r/IPython, r/Kernel, r/Linux, r/Linux Devices, r/Linuxadmin, r/LinuxDev, r/Lisp, r/Lowlevel, 20 | r/Machine Learning, r/Math, r/NetBSD, r/NetSec, r/NodeJS, r/Ocaml, r/OpenBSD, r/OpenData, r/Opensource 21 | Hardware, r/OpenSUSE, r/OpenWRT, r/Optimization, r/OS Dev, r/Philosophy of Science, r/Philospohy of 22 | Math, r/Programming, r/Programming Languages, r/Python, r/REMath, r/Reverse Engineering, r/RTLSDR, 23 | r/Scala, r/Semantic Web, r/Smallbusiness, r/Startups, r/Statistics, r/Sysadmin, r/Sysor, r/Systems, 24 | r/Types, r/Unix, r/Usefulscripts, r/Visualization, r/VRD, r/Webdesign, r/Webdev, Slashdot.org, Soylent 25 | News, USV - Union Square Ventures, WoodSpotting , Y Combinator - Hacker News. 26 |
27 |
28 | The underlying index is - how you've probably guessed correctly - a Solr index. The index should contain 29 | almost everything since Oct 2014 what was posted on outgoing links from the pages mentioned above. 30 |

31 | 32 |

Syntax

33 | 34 |

35 | Solr is a powerful search engine, allowing for a variety of different ways to look for content. 36 |

37 | 38 |

Simple Search Example

39 | 40 |

41 | Imagine you want to search for "Hacker news search". One simple way is to enter it directly into the 42 | searchbox and get /#/search?q=Hacker%20news%20search 43 |

44 | 45 |

Fields

46 | 47 |

48 | Several fields are searchable: 49 |

    50 | 51 |
  • 52 | url: the url from the website 53 |
  • 54 |
  • 55 | title_website: the title of the website 56 |
  • 57 |
  • 58 | content: the content of the website 59 |
  • 60 |
  • 61 | created_at: date when the website was fetched the first time 62 |
  • 63 |
  • 64 | hn_frontpage: boolean if the link was ever on the frontpage 65 |
  • 66 |
  • 67 | An Example: created_at:[2014-11-01T12:45:00Z TO *] +hn_frontpage:true +title_website:Microsoft without the dismax parser... 68 |
  • 69 | 70 |
71 |

72 |
73 |
74 |
-------------------------------------------------------------------------------- /app/views/includes/searchmenu.html: -------------------------------------------------------------------------------- 1 |

Navigation

2 | 3 |
4 |
5 | 7 |
8 | 9 |
10 | 12 |
13 |
14 |
15 | 16 |
17 |
18 | 22 |
23 |
24 | 28 |
29 |
30 | 34 |
35 |
36 | 39 |
40 |
41 | 42 |
43 |
44 | 45 | 47 |
48 |
49 | 50 | 52 |
53 |
54 | 55 | 57 |
58 |
59 |
60 | 61 |

Filter

62 | Hint: This is a Solr-Index 63 |
64 |
65 | 66 | 68 |
69 |
70 |
71 |
72 | 73 |
74 | 80 |
81 |
82 |
83 | 89 | 90 |
91 |
92 |
93 |
94 |
95 | 96 |

Sources 97 | 102 |

103 |
104 |
105 |
106 | 109 |
110 |
111 |
112 |
113 | 114 | 115 | 192 | 193 |
194 |

195 | About & Contact 196 |

197 | 198 | About
199 | More Information 200 | 201 |
202 | Contact: thomas [at] newscombinator [dot] com
203 |
204 | 208 | Follow @HNCombinator 209 | , thanks. 210 |
211 | 224 |
225 | Btw, JSON anyone? 226 | 227 |
228 |
-------------------------------------------------------------------------------- /app/views/top.html: -------------------------------------------------------------------------------- 1 | 2 | 25 | 26 |
27 |
28 | 29 | 32 |
33 |

You landed at the Newscombinator, the aggregated news reading service.


34 |
Unfortunately no Results. Very bad, try again.
35 |
37 |
38 | 39 |
40 | 62 |
63 |
64 |

{{result.content_short_analyze}} 65 | [...] 66 |

67 |
68 |
69 | 116 |
117 | 118 |
120 |
121 | 122 | Similar 123 | Stories: 124 | 125 |
126 |
127 | 128 | {{similar.title_website}} • 130 | ({{similar.url | gethostname}}) 131 | 132 | • 134 | 135 | 136 | 139 | 140 |
141 |
142 |
143 |
144 |
145 | 146 |
147 | 148 |
149 | 150 |
151 | 152 |
153 |
154 | 155 | 156 |
157 | 158 |
159 | 160 |
161 |
162 |
163 | 164 |
165 |
166 | Wait, great things are coming up. 167 |
168 |
169 |
170 | -------------------------------------------------------------------------------- /bower.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "agrgtr", 3 | "version": "0.0.0", 4 | "dependencies": { 5 | "angular": "~1.2.0", 6 | "json3": "~3.3.1", 7 | "es5-shim": "~3.1.0", 8 | "bootstrap": "~3.2.0", 9 | "angular-resource": "~1.2.0", 10 | "angular-cookies": "~1.2.0", 11 | "angular-sanitize": "~1.2.0", 12 | "angular-animate": "~1.2.0", 13 | "angular-touch": "~1.2.0", 14 | "angular-route": "~1.2.0", 15 | "angular-bootstrap": "~0.11.2", 16 | "angular-bootstrap-switch": "~0.3.0", 17 | "angular-loading-bar": "~0.6.0", 18 | "angular-scroll": "~0.6.2", 19 | "font-awesome": "~4.2.0", 20 | "ngInfiniteScroll": "~1.2.0", 21 | "angular-truncate": "*", 22 | "angular-moment": "~0.9.0" 23 | }, 24 | "devDependencies": { 25 | "angular-mocks": "~1.2.0", 26 | "angular-scenario": "~1.2.0" 27 | }, 28 | "appPath": "app" 29 | } 30 | -------------------------------------------------------------------------------- /dist/404.html: -------------------------------------------------------------------------------- 1 | Page Not Found :(

Not found :(

Sorry, but the page you were trying to view does not exist.

It looks like this was the result of either:

-------------------------------------------------------------------------------- /dist/apple-touch-icon-114x114.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-114x114.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-120x120.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-120x120.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-144x144.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-144x144.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-152x152.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-152x152.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-180x180.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-180x180.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-57x57.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-57x57.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-60x60.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-60x60.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-72x72.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-72x72.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-76x76.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-76x76.png -------------------------------------------------------------------------------- /dist/apple-touch-icon-precomposed.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon-precomposed.png -------------------------------------------------------------------------------- /dist/apple-touch-icon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/apple-touch-icon.png -------------------------------------------------------------------------------- /dist/browserconfig.xml: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | #da532c 10 | 11 | 12 | 13 | -------------------------------------------------------------------------------- /dist/favicon-160x160.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/favicon-160x160.png -------------------------------------------------------------------------------- /dist/favicon-16x16.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/favicon-16x16.png -------------------------------------------------------------------------------- /dist/favicon-192x192.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/favicon-192x192.png -------------------------------------------------------------------------------- /dist/favicon-32x32.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/favicon-32x32.png -------------------------------------------------------------------------------- /dist/favicon-96x96.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/favicon-96x96.png -------------------------------------------------------------------------------- /dist/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/favicon.ico -------------------------------------------------------------------------------- /dist/fonts/FontAwesome.otf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/FontAwesome.otf -------------------------------------------------------------------------------- /dist/fonts/fontawesome-webfont.eot: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/fontawesome-webfont.eot -------------------------------------------------------------------------------- /dist/fonts/fontawesome-webfont.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/fontawesome-webfont.ttf -------------------------------------------------------------------------------- /dist/fonts/fontawesome-webfont.woff: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/fontawesome-webfont.woff -------------------------------------------------------------------------------- /dist/fonts/glyphicons-halflings-regular.eot: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/glyphicons-halflings-regular.eot -------------------------------------------------------------------------------- /dist/fonts/glyphicons-halflings-regular.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/glyphicons-halflings-regular.ttf -------------------------------------------------------------------------------- /dist/fonts/glyphicons-halflings-regular.woff: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/fonts/glyphicons-halflings-regular.woff -------------------------------------------------------------------------------- /dist/images/ajax-loader.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/images/ajax-loader.gif -------------------------------------------------------------------------------- /dist/index.html: -------------------------------------------------------------------------------- 1 | Newscombinator - Hacker News Aggregator
-------------------------------------------------------------------------------- /dist/mstile-144x144.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/mstile-144x144.png -------------------------------------------------------------------------------- /dist/mstile-150x150.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/mstile-150x150.png -------------------------------------------------------------------------------- /dist/mstile-310x150.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/mstile-310x150.png -------------------------------------------------------------------------------- /dist/mstile-310x310.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/mstile-310x310.png -------------------------------------------------------------------------------- /dist/mstile-70x70.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/tomw1808/newscombinator/d1a0ca30ad29157eeaa4a2b81405f1fe486f2f75/dist/mstile-70x70.png -------------------------------------------------------------------------------- /dist/robots.txt: -------------------------------------------------------------------------------- 1 | # robotstxt.org 2 | 3 | User-agent: * 4 | -------------------------------------------------------------------------------- /dist/scripts/oldieshim.6466f0cf.js: -------------------------------------------------------------------------------- 1 | !function(a,b){"function"==typeof define&&define.amd?define(b):"object"==typeof exports?module.exports=b():a.returnExports=b()}(this,function(){function a(){}function b(a){return a=+a,a!==a?a=0:0!==a&&a!==1/0&&a!==-(1/0)&&(a=(a>0||-1)*Math.floor(Math.abs(a))),a}function c(a){var b=typeof a;return null===a||"undefined"===b||"boolean"===b||"number"===b||"string"===b}function d(a){var b,d,e;if(c(a))return a;if(d=a.valueOf,l(d)&&(b=d.call(a),c(b)))return b;if(e=a.toString,l(e)&&(b=e.call(a),c(b)))return b;throw new TypeError}var e=Function.prototype.call,f=Array.prototype,g=Object.prototype,h=f.slice,i=Array.prototype.splice,j=Array.prototype.push,k=Array.prototype.unshift,l=function(a){return"[object Function]"===g.toString.call(a)},m=function(a){return"[object RegExp]"===g.toString.call(a)};Function.prototype.bind||(Function.prototype.bind=function(b){var c=this;if(!l(c))throw new TypeError("Function.prototype.bind called on incompatible "+c);for(var d=h.call(arguments,1),e=function(){if(this instanceof j){var a=c.apply(this,d.concat(h.call(arguments)));return Object(a)===a?a:this}return c.apply(b,d.concat(h.call(arguments)))},f=Math.max(0,c.length-d.length),g=[],i=0;f>i;i++)g.push("$"+i);var j=Function("binder","return function("+g.join(",")+"){return binder.apply(this,arguments)}")(e);return c.prototype&&(a.prototype=c.prototype,j.prototype=new a,a.prototype=null),j});var n,o,p,q,r,s=e.bind(g.hasOwnProperty),t=e.bind(g.toString);(r=s(g,"__defineGetter__"))&&(n=e.bind(g.__defineGetter__),o=e.bind(g.__defineSetter__),p=e.bind(g.__lookupGetter__),q=e.bind(g.__lookupSetter__)),2!==[1,2].splice(0).length&&(Array.prototype.splice=function(){function a(a){for(var b=[];a--;)b.unshift(a);return b}var b,c=[];return c.splice.bind(c,0,0).apply(null,a(20)),c.splice.bind(c,0,0).apply(null,a(26)),b=c.length,c.splice(5,0,"XXX"),b+1===c.length?!0:void 0}()?function(a,b){return arguments.length?i.apply(this,[void 0===a?0:a,void 0===b?this.length-a:b].concat(h.call(arguments,2))):[]}:function(a,b){var c,d=h.call(arguments,2),e=d.length;if(!arguments.length)return[];if(void 0===a&&(a=0),void 0===b&&(b=this.length-a),e>0){if(0>=b){if(a===this.length)return j.apply(this,d),[];if(0===a)return k.apply(this,d),[]}return c=h.call(this,a,a+b),d.push.apply(d,h.call(this,a+b,this.length)),d.unshift.apply(d,h.call(this,0,a)),d.unshift(0,this.length),i.apply(this,d),c}return i.call(this,a,b)}),1!==[].unshift(0)&&(Array.prototype.unshift=function(){return k.apply(this,arguments),this.length}),Array.isArray||(Array.isArray=function(a){return"[object Array]"===t(a)});var u=Object("a"),v="a"!==u[0]||!(0 in u),w=function(a){var b=!0;return a&&a.call("foo",function(a,c,d){"object"!=typeof d&&(b=!1)}),!!a&&b};Array.prototype.forEach&&w(Array.prototype.forEach)||(Array.prototype.forEach=function(a){var b=S(this),c=v&&"[object String]"===t(this)?this.split(""):b,d=arguments[1],e=-1,f=c.length>>>0;if(!l(a))throw new TypeError;for(;++e>>0,e=Array(d),f=arguments[1];if(!l(a))throw new TypeError(a+" is not a function");for(var g=0;d>g;g++)g in c&&(e[g]=a.call(f,c[g],g,b));return e}),Array.prototype.filter&&w(Array.prototype.filter)||(Array.prototype.filter=function(a){var b,c=S(this),d=v&&"[object String]"===t(this)?this.split(""):c,e=d.length>>>0,f=[],g=arguments[1];if(!l(a))throw new TypeError(a+" is not a function");for(var h=0;e>h;h++)h in d&&(b=d[h],a.call(g,b,h,c)&&f.push(b));return f}),Array.prototype.every&&w(Array.prototype.every)||(Array.prototype.every=function(a){var b=S(this),c=v&&"[object String]"===t(this)?this.split(""):b,d=c.length>>>0,e=arguments[1];if(!l(a))throw new TypeError(a+" is not a function");for(var f=0;d>f;f++)if(f in c&&!a.call(e,c[f],f,b))return!1;return!0}),Array.prototype.some&&w(Array.prototype.some)||(Array.prototype.some=function(a){var b=S(this),c=v&&"[object String]"===t(this)?this.split(""):b,d=c.length>>>0,e=arguments[1];if(!l(a))throw new TypeError(a+" is not a function");for(var f=0;d>f;f++)if(f in c&&a.call(e,c[f],f,b))return!0;return!1});var x=!1;if(Array.prototype.reduce&&(x="object"==typeof Array.prototype.reduce.call("a",function(a,b,c,d){return d})),Array.prototype.reduce&&x||(Array.prototype.reduce=function(a){var b=S(this),c=v&&"[object String]"===t(this)?this.split(""):b,d=c.length>>>0;if(!l(a))throw new TypeError(a+" is not a function");if(!d&&1===arguments.length)throw new TypeError("reduce of empty array with no initial value");var e,f=0;if(arguments.length>=2)e=arguments[1];else for(;;){if(f in c){e=c[f++];break}if(++f>=d)throw new TypeError("reduce of empty array with no initial value")}for(;d>f;f++)f in c&&(e=a.call(void 0,e,c[f],f,b));return e}),Array.prototype.reduceRight||(Array.prototype.reduceRight=function(a){var b=S(this),c=v&&"[object String]"===t(this)?this.split(""):b,d=c.length>>>0;if(!l(a))throw new TypeError(a+" is not a function");if(!d&&1===arguments.length)throw new TypeError("reduceRight of empty array with no initial value");var e,f=d-1;if(arguments.length>=2)e=arguments[1];else for(;;){if(f in c){e=c[f--];break}if(--f<0)throw new TypeError("reduceRight of empty array with no initial value")}if(0>f)return e;do f in this&&(e=a.call(void 0,e,c[f],f,b));while(f--);return e}),Array.prototype.indexOf&&-1===[0,1].indexOf(1,2)||(Array.prototype.indexOf=function(a){var c=v&&"[object String]"===t(this)?this.split(""):S(this),d=c.length>>>0;if(!d)return-1;var e=0;for(arguments.length>1&&(e=b(arguments[1])),e=e>=0?e:Math.max(0,d+e);d>e;e++)if(e in c&&c[e]===a)return e;return-1}),Array.prototype.lastIndexOf&&-1===[0,1].lastIndexOf(0,-3)||(Array.prototype.lastIndexOf=function(a){var c=v&&"[object String]"===t(this)?this.split(""):S(this),d=c.length>>>0;if(!d)return-1;var e=d-1;for(arguments.length>1&&(e=Math.min(e,b(arguments[1]))),e=e>=0?e:d-Math.abs(e);e>=0;e--)if(e in c&&a===c[e])return e;return-1}),!Object.keys){var y=!{toString:null}.propertyIsEnumerable("toString"),z=function(){}.propertyIsEnumerable("prototype"),A=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],B=A.length,C=function(a){var b=t(a),c="[object Arguments]"===b;return c||(c=!Array.isArray(b)&&null!==a&&"object"==typeof a&&"number"==typeof a.length&&a.length>=0&&l(a.callee)),c};Object.keys=function(a){var b=l(a),c=C(a),d=null!==a&&"object"==typeof a,e=d&&"[object String]"===t(a);if(!d&&!b&&!c)throw new TypeError("Object.keys called on a non-object");var f=[],g=z&&b;if(e||c)for(var h=0;hm;m++){var n=A[m];k&&"constructor"===n||!s(a,n)||f.push(n)}return f}}var D=-621987552e5,E="-000001";Date.prototype.toISOString&&-1!==new Date(D).toISOString().indexOf(E)||(Date.prototype.toISOString=function(){var a,b,c,d,e;if(!isFinite(this))throw new RangeError("Date.prototype.toISOString called on non-finite value.");for(d=this.getUTCFullYear(),e=this.getUTCMonth(),d+=Math.floor(e/12),e=(e%12+12)%12,a=[e+1,this.getUTCDate(),this.getUTCHours(),this.getUTCMinutes(),this.getUTCSeconds()],d=(0>d?"-":d>9999?"+":"")+("00000"+Math.abs(d)).slice(d>=0&&9999>=d?-4:-6),b=a.length;b--;)c=a[b],10>c&&(a[b]="0"+c);return d+"-"+a.slice(0,2).join("-")+"T"+a.slice(2).join(":")+"."+("000"+this.getUTCMilliseconds()).slice(-3)+"Z"});var F=!1;try{F=Date.prototype.toJSON&&null===new Date(0/0).toJSON()&&-1!==new Date(D).toJSON().indexOf(E)&&Date.prototype.toJSON.call({toISOString:function(){return!0}})}catch(G){}F||(Date.prototype.toJSON=function(){var a,b=Object(this),c=d(b);if("number"==typeof c&&!isFinite(c))return null;if(a=b.toISOString,"function"!=typeof a)throw new TypeError("toISOString property is not callable");return a.call(b)});var H=1e15===Date.parse("+033658-09-27T01:46:40.000Z"),I=!isNaN(Date.parse("2012-04-04T24:00:00.500Z"))||!isNaN(Date.parse("2012-11-31T23:59:59.000Z")),J=isNaN(Date.parse("2000-01-01T00:00:00.000Z"));(!Date.parse||J||I||!H)&&(Date=function(a){function b(c,d,e,f,g,h,i){var j=arguments.length;if(this instanceof a){var k=1===j&&String(c)===c?new a(b.parse(c)):j>=7?new a(c,d,e,f,g,h,i):j>=6?new a(c,d,e,f,g,h):j>=5?new a(c,d,e,f,g):j>=4?new a(c,d,e,f):j>=3?new a(c,d,e):j>=2?new a(c,d):j>=1?new a(c):new a;return k.constructor=b,k}return a.apply(this,arguments)}function c(a,b){var c=b>1?1:0;return f[b]+Math.floor((a-1969+c)/4)-Math.floor((a-1901+c)/100)+Math.floor((a-1601+c)/400)+365*(a-1970)}function d(b){return Number(new a(1970,0,1,0,0,0,b))}var e=new RegExp("^(\\d{4}|[+-]\\d{6})(?:-(\\d{2})(?:-(\\d{2})(?:T(\\d{2}):(\\d{2})(?::(\\d{2})(?:(\\.\\d{1,}))?)?(Z|(?:([-+])(\\d{2}):(\\d{2})))?)?)?)?$"),f=[0,31,59,90,120,151,181,212,243,273,304,334,365];for(var g in a)b[g]=a[g];return b.now=a.now,b.UTC=a.UTC,b.prototype=a.prototype,b.prototype.constructor=b,b.parse=function(b){var f=e.exec(b);if(f){var g,h=Number(f[1]),i=Number(f[2]||1)-1,j=Number(f[3]||1)-1,k=Number(f[4]||0),l=Number(f[5]||0),m=Number(f[6]||0),n=Math.floor(1e3*Number(f[7]||0)),o=Boolean(f[4]&&!f[8]),p="-"===f[9]?1:-1,q=Number(f[10]||0),r=Number(f[11]||0);return(l>0||m>0||n>0?24:25)>k&&60>l&&60>m&&1e3>n&&i>-1&&12>i&&24>q&&60>r&&j>-1&&j=-864e13&&864e13>=g)?g:0/0}return a.parse.apply(this,arguments)},b}(Date)),Date.now||(Date.now=function(){return(new Date).getTime()}),Number.prototype.toFixed&&"0.000"===8e-5.toFixed(3)&&"0"!==.9.toFixed(0)&&"1.25"===1.255.toFixed(2)&&"1000000000000000128"===0xde0b6b3a7640080.toFixed(0)||!function(){function a(a,b){for(var c=-1;++c=0;)c+=h[b],h[b]=Math.floor(c/a),c=c%a*f}function c(){for(var a=g,b="";--a>=0;)if(""!==b||0===a||0!==h[a]){var c=String(h[a]);""===b?b=c:b+="0000000".slice(0,7-c.length)+c}return b}function d(a,b,c){return 0===b?c:b%2===1?d(a,b-1,c*a):d(a*a,b/2,c)}function e(a){for(var b=0;a>=4096;)b+=12,a/=4096;for(;a>=2;)b+=1,a/=2;return b}var f,g,h;f=1e7,g=6,h=[0,0,0,0,0,0],Number.prototype.toFixed=function(f){var g,h,i,j,k,l,m,n;if(g=Number(f),g=g!==g?0:Math.floor(g),0>g||g>20)throw new RangeError("Number.toFixed called with invalid number of decimals");if(h=Number(this),h!==h)return"NaN";if(-1e21>=h||h>=1e21)return String(h);if(i="",0>h&&(i="-",h=-h),j="0",h>1e-21)if(k=e(h*d(2,69,1))-69,l=0>k?h*d(2,-k,1):h/d(2,k,1),l*=4503599627370496,k=52-k,k>0){for(a(0,l),m=g;m>=7;)a(1e7,0),m-=7;for(a(d(10,m,1),0),m=k-1;m>=23;)b(1<<23),m-=23;b(1<0?(n=j.length,j=g>=n?i+"0.0000000000000000000".slice(0,g-n+2)+j:i+j.slice(0,n-g)+"."+j.slice(n-g)):j=i+j,j}}();var K=String.prototype.split;2!=="ab".split(/(?:ab)*/).length||4!==".".split(/(.?)(.?)/).length||"t"==="tesst".split(/(s)*/)[1]||"".split(/.?/).length||".".split(/()()/).length>1?!function(){var a=void 0===/()??/.exec("")[1];String.prototype.split=function(b,c){var d=this;if(void 0===b&&0===c)return[];if("[object RegExp]"!==Object.prototype.toString.call(b))return K.apply(this,arguments);var e,f,g,h,i=[],j=(b.ignoreCase?"i":"")+(b.multiline?"m":"")+(b.extended?"x":"")+(b.sticky?"y":""),k=0;for(b=new RegExp(b.source,j+"g"),d+="",a||(e=new RegExp("^"+b.source+"$(?!\\s)",j)),c=void 0===c?-1>>>0:c>>>0;(f=b.exec(d))&&(g=f.index+f[0].length,!(g>k&&(i.push(d.slice(k,f.index)),!a&&f.length>1&&f[0].replace(e,function(){for(var a=1;a1&&f.index=c)));)b.lastIndex===f.index&&b.lastIndex++;return k===d.length?(h||!b.test(""))&&i.push(""):i.push(d.slice(k)),i.length>c?i.slice(0,c):i}}():"0".split(void 0,0).length&&(String.prototype.split=function(a,b){return void 0===a&&0===b?[]:K.apply(this,arguments)});var L=String.prototype.replace,M=function(){var a=[];return"x".replace(/x(.)?/g,function(b,c){a.push(c)}),1===a.length&&"undefined"==typeof a[0]}();if(M||(String.prototype.replace=function(a,b){var c=l(b),d=m(a)&&/\)[*?]/.test(a.source);if(c&&d){var e=function(c){var d=arguments.length,e=a.lastIndex;a.lastIndex=0;var f=a.exec(c);return a.lastIndex=e,f.push(arguments[d-2],arguments[d-1]),b.apply(this,f)};return L.call(this,a,e)}return L.apply(this,arguments)}),"".substr&&"b"!=="0b".substr(-1)){var N=String.prototype.substr;String.prototype.substr=function(a,b){return N.call(this,0>a&&(a=this.length+a)<0?0:a,b)}}var O=" \n \f\r   ᠎              \u2028\u2029\ufeff",P="​";if(!String.prototype.trim||O.trim()||!P.trim()){O="["+O+"]";var Q=new RegExp("^"+O+O+"*"),R=new RegExp(O+O+"*$");String.prototype.trim=function(){if(void 0===this||null===this)throw new TypeError("can't convert "+this+" to object");return String(this).replace(Q,"").replace(R,"")}}(8!==parseInt(O+"08")||22!==parseInt(O+"0x16"))&&(parseInt=function(a){var b=/^0[xX]/;return function(c,d){return c=String(c).trim(),Number(d)||(d=b.test(c)?16:10),a(c,d)}}(parseInt));var S=function(a){if(null==a)throw new TypeError("can't convert "+a+" to object");return Object(a)}}),function(){function a(b,d){function f(a){if(f[a]!==q)return f[a];var b;if("bug-string-char-index"==a)b="a"!="a"[0];else if("json"==a)b=f("json-stringify")&&f("json-parse");else{var c,e='{"a":[1,true,false,null,"\\u0000\\b\\n\\f\\r\\t"]}';if("json-stringify"==a){var i=d.stringify,k="function"==typeof i&&t;if(k){(c=function(){return 1}).toJSON=c;try{k="0"===i(0)&&"0"===i(new g)&&'""'==i(new h)&&i(s)===q&&i(q)===q&&i()===q&&"1"===i(c)&&"[1]"==i([c])&&"[null]"==i([q])&&"null"==i(null)&&"[null,null,null]"==i([q,s,null])&&i({a:[c,!0,!1,null,"\x00\b\n\f\r "]})==e&&"1"===i(null,c)&&"[\n 1,\n 2\n]"==i([1,2],null,1)&&'"-271821-04-20T00:00:00.000Z"'==i(new j(-864e13))&&'"+275760-09-13T00:00:00.000Z"'==i(new j(864e13))&&'"-000001-01-01T00:00:00.000Z"'==i(new j(-621987552e5))&&'"1969-12-31T23:59:59.999Z"'==i(new j(-1))}catch(l){k=!1}}b=k}if("json-parse"==a){var m=d.parse;if("function"==typeof m)try{if(0===m("0")&&!m(!1)){c=m(e);var n=5==c.a.length&&1===c.a[0];if(n){try{n=!m('" "')}catch(l){}if(n)try{n=1!==m("01")}catch(l){}if(n)try{n=1!==m("1.")}catch(l){}}}}catch(l){n=!1}b=n}}return f[a]=!!b}b||(b=e.Object()),d||(d=e.Object());var g=b.Number||e.Number,h=b.String||e.String,i=b.Object||e.Object,j=b.Date||e.Date,k=b.SyntaxError||e.SyntaxError,l=b.TypeError||e.TypeError,m=b.Math||e.Math,n=b.JSON||e.JSON;"object"==typeof n&&n&&(d.stringify=n.stringify,d.parse=n.parse);var o,p,q,r=i.prototype,s=r.toString,t=new j(-0xc782b5b800cec);try{t=-109252==t.getUTCFullYear()&&0===t.getUTCMonth()&&1===t.getUTCDate()&&10==t.getUTCHours()&&37==t.getUTCMinutes()&&6==t.getUTCSeconds()&&708==t.getUTCMilliseconds()}catch(u){}if(!f("json")){var v="[object Function]",w="[object Date]",x="[object Number]",y="[object String]",z="[object Array]",A="[object Boolean]",B=f("bug-string-char-index");if(!t)var C=m.floor,D=[0,31,59,90,120,151,181,212,243,273,304,334],E=function(a,b){return D[b]+365*(a-1970)+C((a-1969+(b=+(b>1)))/4)-C((a-1901+b)/100)+C((a-1601+b)/400)};if((o=r.hasOwnProperty)||(o=function(a){var b,c={};return(c.__proto__=null,c.__proto__={toString:1},c).toString!=s?o=function(a){var b=this.__proto__,c=a in(this.__proto__=null,this);return this.__proto__=b,c}:(b=c.constructor,o=function(a){var c=(this.constructor||b).prototype;return a in this&&!(a in c&&this[a]===c[a])}),c=null,o.call(this,a)}),p=function(a,b){var d,e,f,g=0;(d=function(){this.valueOf=0}).prototype.valueOf=0,e=new d;for(f in e)o.call(e,f)&&g++;return d=e=null,g?p=2==g?function(a,b){var c,d={},e=s.call(a)==v;for(c in a)e&&"prototype"==c||o.call(d,c)||!(d[c]=1)||!o.call(a,c)||b(c)}:function(a,b){var c,d,e=s.call(a)==v;for(c in a)e&&"prototype"==c||!o.call(a,c)||(d="constructor"===c)||b(c);(d||o.call(a,c="constructor"))&&b(c)}:(e=["valueOf","toString","toLocaleString","propertyIsEnumerable","isPrototypeOf","hasOwnProperty","constructor"],p=function(a,b){var d,f,g=s.call(a)==v,h=!g&&"function"!=typeof a.constructor&&c[typeof a.hasOwnProperty]&&a.hasOwnProperty||o;for(d in a)g&&"prototype"==d||!h.call(a,d)||b(d);for(f=e.length;d=e[--f];h.call(a,d)&&b(d));}),p(a,b)},!f("json-stringify")){var F={92:"\\\\",34:'\\"',8:"\\b",12:"\\f",10:"\\n",13:"\\r",9:"\\t"},G="000000",H=function(a,b){return(G+(b||0)).slice(-a)},I="\\u00",J=function(a){for(var b='"',c=0,d=a.length,e=!B||d>10,f=e&&(B?a.split(""):a);d>c;c++){var g=a.charCodeAt(c);switch(g){case 8:case 9:case 10:case 12:case 13:case 34:case 92:b+=F[g];break;default:if(32>g){b+=I+H(2,g.toString(16));break}b+=e?f[c]:a.charAt(c)}}return b+'"'},K=function(a,b,c,d,e,f,g){var h,i,j,k,m,n,r,t,u,v,B,D,F,G,I,L;try{h=b[a]}catch(M){}if("object"==typeof h&&h)if(i=s.call(h),i!=w||o.call(h,"toJSON"))"function"==typeof h.toJSON&&(i!=x&&i!=y&&i!=z||o.call(h,"toJSON"))&&(h=h.toJSON(a));else if(h>-1/0&&1/0>h){if(E){for(m=C(h/864e5),j=C(m/365.2425)+1970-1;E(j+1,0)<=m;j++);for(k=C((m-E(j,0))/30.42);E(j,k+1)<=m;k++);m=1+m-E(j,k),n=(h%864e5+864e5)%864e5,r=C(n/36e5)%24,t=C(n/6e4)%60,u=C(n/1e3)%60,v=n%1e3}else j=h.getUTCFullYear(),k=h.getUTCMonth(),m=h.getUTCDate(),r=h.getUTCHours(),t=h.getUTCMinutes(),u=h.getUTCSeconds(),v=h.getUTCMilliseconds();h=(0>=j||j>=1e4?(0>j?"-":"+")+H(6,0>j?-j:j):H(4,j))+"-"+H(2,k+1)+"-"+H(2,m)+"T"+H(2,r)+":"+H(2,t)+":"+H(2,u)+"."+H(3,v)+"Z"}else h=null;if(c&&(h=c.call(b,a,h)),null===h)return"null";if(i=s.call(h),i==A)return""+h;if(i==x)return h>-1/0&&1/0>h?""+h:"null";if(i==y)return J(""+h);if("object"==typeof h){for(G=g.length;G--;)if(g[G]===h)throw l();if(g.push(h),B=[],I=f,f+=e,i==z){for(F=0,G=h.length;G>F;F++)D=K(F,h,c,d,e,f,g),B.push(D===q?"null":D);L=B.length?e?"[\n"+f+B.join(",\n"+f)+"\n"+I+"]":"["+B.join(",")+"]":"[]"}else p(d||h,function(a){var b=K(a,h,c,d,e,f,g);b!==q&&B.push(J(a)+":"+(e?" ":"")+b)}),L=B.length?e?"{\n"+f+B.join(",\n"+f)+"\n"+I+"}":"{"+B.join(",")+"}":"{}";return g.pop(),L}};d.stringify=function(a,b,d){var e,f,g,h;if(c[typeof b]&&b)if((h=s.call(b))==v)f=b;else if(h==z){g={};for(var i,j=0,k=b.length;k>j;i=b[j++],h=s.call(i),(h==y||h==x)&&(g[i]=1));}if(d)if((h=s.call(d))==x){if((d-=d%1)>0)for(e="",d>10&&(d=10);e.lengthL;)switch(e=f.charCodeAt(L)){case 9:case 10:case 13:case 32:L++;break;case 123:case 125:case 91:case 93:case 58:case 44:return a=B?f.charAt(L):f[L],L++,a;case 34:for(a="@",L++;g>L;)if(e=f.charCodeAt(L),32>e)P();else if(92==e)switch(e=f.charCodeAt(++L)){case 92:case 34:case 47:case 98:case 116:case 110:case 102:case 114:a+=O[e],L++;break;case 117:for(b=++L,c=L+4;c>L;L++)e=f.charCodeAt(L),e>=48&&57>=e||e>=97&&102>=e||e>=65&&70>=e||P();a+=N("0x"+f.slice(b,L));break;default:P()}else{if(34==e)break;for(e=f.charCodeAt(L),b=L;e>=32&&92!=e&&34!=e;)e=f.charCodeAt(++L);a+=f.slice(b,L)}if(34==f.charCodeAt(L))return L++,a;P();default:if(b=L,45==e&&(d=!0,e=f.charCodeAt(++L)),e>=48&&57>=e){for(48==e&&(e=f.charCodeAt(L+1),e>=48&&57>=e)&&P(),d=!1;g>L&&(e=f.charCodeAt(L),e>=48&&57>=e);L++);if(46==f.charCodeAt(L)){for(c=++L;g>c&&(e=f.charCodeAt(c),e>=48&&57>=e);c++);c==L&&P(),L=c}if(e=f.charCodeAt(L),101==e||69==e){for(e=f.charCodeAt(++L),(43==e||45==e)&&L++,c=L;g>c&&(e=f.charCodeAt(c),e>=48&&57>=e);c++);c==L&&P(),L=c}return+f.slice(b,L)}if(d&&P(),"true"==f.slice(L,L+4))return L+=4,!0;if("false"==f.slice(L,L+5))return L+=5,!1;if("null"==f.slice(L,L+4))return L+=4,null;P()}return"$"},R=function(a){var b,c;if("$"==a&&P(),"string"==typeof a){if("@"==(B?a.charAt(0):a[0]))return a.slice(1);if("["==a){for(b=[];a=Q(),"]"!=a;c||(c=!0))c&&(","==a?(a=Q(),"]"==a&&P()):P()),","==a&&P(),b.push(R(a));return b}if("{"==a){for(b={};a=Q(),"}"!=a;c||(c=!0))c&&(","==a?(a=Q(),"}"==a&&P()):P()),(","==a||"string"!=typeof a||"@"!=(B?a.charAt(0):a[0])||":"!=Q())&&P(),b[a.slice(1)]=R(Q());return b}P()}return a},S=function(a,b,c){var d=T(a,b,c);d===q?delete a[b]:a[b]=d},T=function(a,b,c){var d,e=a[b];if("object"==typeof e&&e)if(s.call(e)==z)for(d=e.length;d--;)S(e,d,c);else p(e,function(a){S(e,a,c)});return c.call(a,b,e)};d.parse=function(a,b){var c,d;return L=0,M=""+a,c=R(Q()),"$"!=Q()&&P(),L=M=null,b&&s.call(b)==v?T((d={},d[""]=c,d),"",b):c}}}return d.runInContext=a,d}var b="function"==typeof define&&define.amd,c={"function":!0,object:!0},d=c[typeof exports]&&exports&&!exports.nodeType&&exports,e=c[typeof window]&&window||this,f=d&&c[typeof module]&&module&&!module.nodeType&&"object"==typeof global&&global;if(!f||f.global!==f&&f.window!==f&&f.self!==f||(e=f),d&&!b)a(e,d);else{var g=e.JSON,h=e.JSON3,i=!1,j=a(e,e.JSON3={noConflict:function(){return i||(i=!0,e.JSON=g,e.JSON3=h,g=h=null),j}});e.JSON={parse:j.parse,stringify:j.stringify}}b&&define(function(){return j})}.call(this); -------------------------------------------------------------------------------- /dist/scripts/scripts.95066d5c.js: -------------------------------------------------------------------------------- 1 | "use strict";angular.module("agrgtrApp",["ngAnimate","ngCookies","ngResource","ngRoute","ngSanitize","ngTouch","config","ui.bootstrap","angular-loading-bar","duScroll","infinite-scroll","truncate","angularMoment"]).config(["$routeProvider","$httpProvider",function(a,b){a.when("/",{templateUrl:"views/top.html",controller:"TopCtrl",reloadOnSearch:!0}).when("/about",{templateUrl:"views/about.html",controller:"MainCtrl"}).otherwise({redirectTo:"/"}),b.defaults.headers.post["Content-Type"]="application/x-www-form-urlencoded;charset=utf-8",b.defaults.headers.put["Content-Type"]="application/x-www-form-urlencoded;charset=utf-8";var c=function(a){var b,d,e,f,g,h,i,j="";for(b in a)if(d=a[b],d instanceof Array)for(i=0;i0&&(a+=" "+d.query.custom+" "),(d.query.dates.from_date instanceof Date||d.query.dates.to_date instanceof Date)&&(a+=" AND (created_at:[",a+=d.query.dates.from_date instanceof Date?d.query.dates.from_date.toISOString():"*",a+=" TO ",a+=d.query.dates.to_date instanceof Date?d.query.dates.to_date.toISOString():"*",a+="])"),a},d.groupBySimilar=function(){return""==d.query.custom?"1":"0"},d.getLoading=function(){return d.siteState.loading},d.fetchSimilarToArticle=function(b){"similar_docs"in b&&null!=b.similar_docs||a.query({q:"{!join from=similar_doc_ids to=id}id:"+b.id,dismax:0,highlight:0,only_newest_similar:0,rows:30,order_by_desc:"created_at"},function(a){b.similar_docs=a.response.docs})},d.fetchSourceitems=function(a){"sourceitems"in a&&null!=a.sourceitems||b.query({id:a.id},function(b){a.sourceitems=b})},d.getTopEntities=function(b){if(!("$promise"in d.topEntities)||b){var c={q:d.getQueryString(),"fq[1]":"newest_similar_doc:true",facet:"1",highlight:"0",dismax:0,rows:0};""==d.query.custom&&0==d.query.entities.length&&(c["fq[2]"]="created_at:[NOW/DAY TO *]"),d.topEntities=a.query(c,function(a){for(var b=[],c=[],e=[],f=a.facet_counts.facet_fields.entities,g=0,h=0;h30)break}for(f=a.facet_counts.facet_fields.keywords,g=0,h=0;h50)break}for(f=a.facet_counts.facet_ranges.sentiment.counts,h=0;h=10?a:new Array(10-a.length+1).join("0")+a}}),angular.module("agrgtrApp").filter("getfavicon",function(){return function(a){var b=document.createElement("a");b.href=a;var c="favicon.ico";return-1!=b.hostname.indexOf("makerland")&&(c="static/img/makerland_favicon_SMALL.ico"),-1!=b.hostname.indexOf("soylentnews")&&(c="favicon-soylentnews.png"),-1!=b.hostname.indexOf("inbound")&&(c="assets/sites/inbound/img/fav.ico"),b.protocol+"//"+b.hostname+"/"+c}}),angular.module("agrgtrApp").filter("showtitle",["$filter",function(a){return function(b,c){return""!=b.title_website&&null!=b.title_website&&-1==b.title_website.indexOf("Firespotting! Interesting Ideas, Every Day!")?void 0!=c?a("highlight")(b.title_website,c,b.id,"title_website"):b.title_website:""!=b.title_link&&null!=b.title_link?b.title_link:b.url}}]),angular.module("agrgtrApp").filter("mysqldate",function(){return function(a){if(a instanceof Date)return a.getFullYear()+"-"+("0"+(a.getMonth()+1)).slice(-2)+"-"+("0"+a.getDate()).slice(-2);if("string"==typeof a){var b=a.split(/[- :]/);return b.length>3?new Date(parseInt(b[0]),parseInt(b[1])-1,parseInt(b[2]),parseInt(b[3]),parseInt(b[4]),parseInt(b[5])):new Date(parseInt(b[0]),parseInt(b[1])-1,parseInt(b[2]))}}}),angular.module("agrgtrApp").filter("mysqlDatetime",function(){return function(a){if(a instanceof Date)return a.getFullYear()+"-"+("0"+(a.getMonth()+1)).slice(-2)+"-"+("0"+a.getDate()).slice(-2);if("string"==typeof a){var b=a.split(/[- :]/);return new Date(parseInt(b[0]),parseInt(b[1])-1,parseInt(b[2]),parseInt(b[3]),parseInt(b[4]),parseInt(b[5]))}}}),angular.module("agrgtrApp").filter("gethostname",function(){return function(a,b){if(-1!=a.indexOf("reddit")&&void 0!=b)return a.replace("http://www.","");var c=document.createElement("a");return c.href=a,c.hostname.replace("www.","").replace("news.","")}}); -------------------------------------------------------------------------------- /dist/styles/main.54276e5f.css: -------------------------------------------------------------------------------- 1 | html{font-size:100%}body{font-size:100%;line-height:1.46em}#content-wrap{padding-bottom:60px}.searchresult{cursor:pointer}.searchresult.headline{cursor:pointer;font-size:1.2em;line-height:1.3em;font-weight:700;font-style:normal}.mainstory{margin-top:14px}.searchresult .hostname{font-size:75%;font-weight:400}small{font-size:80%}.url-content{color:#000;margin:0;padding:2px 0 5px}.url-sublinks{margin:0;line-height:normal;opacity:.7;transition:all 200ms ease-in-out}.url-sublinks:hover{opacity:1}.desaturate{-webkit-filter:grayscale(100%);filter:grayscale(100%);transition:all 300ms ease-in-out}.desaturate:hover{-webkit-filter:grayscale(0);filter:grayscale(0)}.mainstory .url-content{font-size:16px}.story-row{margin-bottom:15px}.story-row .story-collapse-button{display:none}.story-row:hover{background-color:#efefef}.story-row:hover .story-collapse-button{display:block}.entity-progress{height:5px}.story-content{padding:5px 0}.img-sourceitem{height:14px;display:inline}.searchresult:hover{text-decoration:none}.searchresult:visited{color:#8c8c8c}.searchresult:hover div{background-color:#e8f4ff}.result_highlight{text-decoration:underline}label{font-weight:lighter}.extra-padding{padding:5px 0}.progress-bar{transition:width 1s ease-in-out}.input-group-addon{min-width:36px}.scroll-able{position:fixed;top:0;height:100%;max-height:100%;left:0;overflow:hidden;padding-right:32px}.scroll-able:hover{overflow:auto;padding-right:15px;overflow-y:scroll}input[type=range]{-webkit-appearance:none;border:1px solid #fff;width:100%;width:100%;cursor:hand}input[type=range]::-webkit-slider-runnable-track{width:100%;height:5px;background:#ddd;border:none;border-radius:3px}input[type=range]::-webkit-slider-thumb{-webkit-appearance:none;border:none;height:16px;width:16px;border-radius:50%;background:#aaa;margin-top:-4px;cursor:hand}input[type=range]:focus{outline:0}input[type=range]:focus::-webkit-slider-runnable-track{background:#ccc}input[type=range]::-moz-range-track{width:100%;height:5px;background:#ddd;border:none;border-radius:3px}input[type=range]::-moz-range-thumb{border:none;height:16px;width:16px;border-radius:50%;background:#aaa;cursor:hand}input[type=range]:-moz-focusring{outline:1px solid #fff;outline-offset:-1px}input[type=range]::-ms-track{width:100%;height:5px;background:0 0;border-color:transparent;border-width:6px 0;color:transparent}input[type=range]::-ms-fill-lower{background:#777;border-radius:10px}input[type=range]::-ms-fill-upper{background:#ddd;border-radius:10px}input[type=range]::-ms-thumb{border:none;height:16px;width:16px;border-radius:50%;background:#aaa}input[type=range]:focus::-ms-fill-lower{background:#888}input[type=range]:focus::-ms-fill-upper{background:#ccc}.vertical-center{margin-top:10%}.searchmenu .progress-bar{background-color:#aaa}.searchmenu{color:#aaa}.searchmenu a,.searchmenu button{color:#777}.searchmenu button.btn-primary{color:#fff}@media screen and (max-width:768px){body{padding-top:60px}}@media screen and (min-width:768px){.searchmenu{background-color:#f8f8f8;border-left:1px solid #eee;border-bottom:1px solid #eee;padding-bottom:15px}}@media (max-width:991px){.navbar-header{float:none}.navbar-toggle{display:block}.navbar-collapse{border-top:1px solid transparent;box-shadow:inset 0 1px 0 rgba(255,255,255,.1)}.navbar-collapse.collapse{display:none!important}.navbar-nav{float:none!important;margin:7.5px -15px}.navbar-nav>li{float:none}.navbar-nav>li>a{padding-top:10px;padding-bottom:10px}.navbar-text{float:none;margin:15px 0}.navbar-collapse.collapse.in{display:block!important;overflow-y:auto!important}.collapsing{overflow:hidden!important}.container-fluid>.navbar-collapse{margin-right:-15px;margin-left:-15px}.navbar-fixed-top .navbar-collapse{padding-right:15px;padding-left:15px}} -------------------------------------------------------------------------------- /dist/views/about.html: -------------------------------------------------------------------------------- 1 |

About

NA Search came out as a side project from a machine-learning task. You can reach me at thomas@(thisdomain).com if there are any questions. Made with love in Austria, Technical University of Technology.

-------------------------------------------------------------------------------- /dist/views/help.html: -------------------------------------------------------------------------------- 1 |

General

You reached Nagrgtr Search. Here you are looking in an index full of great data - not only headlines - yes, in the real content.

Its aggregated content from outgoing links from Coinspotting - for Cryptocurrencies, DataTau, Devmaster, digg, Dzone, Echo JS - News for Javascript, Firespotting - for Ideas, Inbound - For Marketing, Lamernews, Lesswrong Discussion, Lobsters, Makernews, Med Technology News - medical technology, Pullup.io - NodeJS related, r/Algorithms, r/Analytics, r/Analyzit, r/Angular JS, r/Bitcoin, r/BSD, r/Business Intelligence, r/Cableporn, r/Coding, r/Coq, r/Crypto, r/Data is Beautiful, r/Data Science, r/Database, r/DataHoarder, r/Datasets, r/Dependent Types, r/Design, r/Devkit, r/Django, r/DuckDuckGo, r/embeddedlinux, r/Entrepeneur, r/FreeBSD, r/Frontend, r/FSharp, r/Gamification, r/HaikuOS, r/Haskell, r/Homelab, r/Ingress, r/IPython, r/Kernel, r/Linux, r/Linux Devices, r/Linuxadmin, r/LinuxDev, r/Lisp, r/Lowlevel, r/Machine Learning, r/Math, r/NetBSD, r/NetSec, r/NodeJS, r/Ocaml, r/OpenBSD, r/OpenData, r/Opensource Hardware, r/OpenSUSE, r/OpenWRT, r/Optimization, r/OS Dev, r/Philosophy of Science, r/Philospohy of Math, r/Programming, r/Programming Languages, r/Python, r/REMath, r/Reverse Engineering, r/RTLSDR, r/Scala, r/Semantic Web, r/Smallbusiness, r/Startups, r/Statistics, r/Sysadmin, r/Sysor, r/Systems, r/Types, r/Unix, r/Usefulscripts, r/Visualization, r/VRD, r/Webdesign, r/Webdev, Slashdot.org, Soylent News, USV - Union Square Ventures, WoodSpotting , Y Combinator - Hacker News.

The underlying index is - how you've probably guessed correctly - a Solr index. The index should contain almost everything since Oct 2014 what was posted on outgoing links from the pages mentioned above.

Syntax

Solr is a powerful search engine, allowing for a variety of different ways to look for content.

Simple Search Example

Imagine you want to search for "Hacker news search". One simple way is to enter it directly into the searchbox and get /#/search?q=Hacker%20news%20search

Fields

Several fields are searchable:

-------------------------------------------------------------------------------- /dist/views/includes/searchmenu.html: -------------------------------------------------------------------------------- 1 |

Navigation



Filter

Hint: This is a Solr-Index



Sources



About & Contact

About
More Information
Contact: thomas [at] newscombinator [dot] com

, thanks.

Btw, JSON anyone?

-------------------------------------------------------------------------------- /dist/views/top.html: -------------------------------------------------------------------------------- 1 |

You landed at the Newscombinator, the aggregated news reading service.


Unfortunately no Results. Very bad, try again.

{{result.content_short_analyze}} [...]


Similar Stories:
{{similar.title_website}} • ({{similar.url | gethostname}})


Wait, great things are coming up.
-------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "agrgtr", 3 | "version": "0.0.0", 4 | "dependencies": {}, 5 | "devDependencies": { 6 | "grunt": "^0.4.1", 7 | "grunt-autoprefixer": "^0.7.3", 8 | "grunt-concurrent": "^0.5.0", 9 | "grunt-contrib-clean": "^0.5.0", 10 | "grunt-contrib-concat": "^0.4.0", 11 | "grunt-contrib-connect": "^0.7.1", 12 | "grunt-contrib-copy": "^0.5.0", 13 | "grunt-contrib-cssmin": "^0.9.0", 14 | "grunt-contrib-htmlmin": "^0.3.0", 15 | "grunt-contrib-imagemin": "^0.8.1", 16 | "grunt-contrib-jshint": "^0.10.0", 17 | "grunt-contrib-uglify": "^0.4.0", 18 | "grunt-contrib-watch": "^0.6.1", 19 | "grunt-filerev": "^0.2.1", 20 | "grunt-google-cdn": "^0.4.0", 21 | "grunt-newer": "^0.7.0", 22 | "grunt-ng-annotate": "^0.3.0", 23 | "grunt-svgmin": "^0.4.0", 24 | "grunt-usemin": "^2.1.1", 25 | "grunt-wiredep": "^1.7.0", 26 | "jshint-stylish": "^0.2.0", 27 | "load-grunt-tasks": "^0.4.0", 28 | "time-grunt": "^0.3.1", 29 | "grunt-karma": "~0.9.0", 30 | "karma-phantomjs-launcher": "~0.1.4", 31 | "karma": "~0.12.24", 32 | "karma-jasmine": "~0.1.5" 33 | }, 34 | "engines": { 35 | "node": ">=0.10.0" 36 | }, 37 | "scripts": { 38 | "test": "grunt test" 39 | } 40 | } 41 | --------------------------------------------------------------------------------