├── .env-example ├── src ├── settings │ ├── config.json │ └── custom.json ├── events │ ├── counting │ │ └── ready.js │ └── discordjs │ │ ├── ready.js │ │ └── messageCreate.js ├── handlers │ ├── commands.js │ └── events.js ├── commands │ └── stats.js └── Client.js ├── .github ├── ISSUE_TEMPLATE │ ├── custom.md │ ├── feature_request.md │ └── bug_report.md └── workflows │ └── node.js.yml ├── index.js ├── package.json ├── README.md ├── LICENSE └── .gitignore /.env-example: -------------------------------------------------------------------------------- 1 | TOKEN= -------------------------------------------------------------------------------- /src/settings/config.json: -------------------------------------------------------------------------------- 1 | { 2 | "admins": ["UserID", "UserID"], 3 | "colors": "PURPLE", 4 | "prefix": "c!" 5 | } -------------------------------------------------------------------------------- /src/events/counting/ready.js: -------------------------------------------------------------------------------- 1 | module.exports = (client) => { 2 | console.log(`Counting ready! now ${client.counting.readyAt.toLocaleString()}`) 3 | }; -------------------------------------------------------------------------------- /src/events/discordjs/ready.js: -------------------------------------------------------------------------------- 1 | module.exports = function(client){ 2 | console.log(`Logged in as ${client.user.tag}!`); 3 | client.user.setActivity('Tracks yours OwO!', { type: 'LISTENING' }); 4 | } -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/custom.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Custom issue template 3 | about: Describe this issue template's purpose here. 4 | title: '' 5 | labels: '' 6 | assignees: '' 7 | 8 | --- 9 | 10 | 11 | -------------------------------------------------------------------------------- /src/handlers/commands.js: -------------------------------------------------------------------------------- 1 | const { readdirSync } = require('fs'); 2 | 3 | module.exports = function(client){ 4 | const arrayCommand = readdirSync('./src/commands'); 5 | for (name of arrayCommand) { 6 | const commands = require(`../commands/${name}`); 7 | commands.name = name.split('.')[0]; 8 | client.commands.set(commands.name, commands); 9 | } 10 | } -------------------------------------------------------------------------------- /src/settings/custom.json: -------------------------------------------------------------------------------- 1 | { 2 | "owoprefix": "w", 3 | "reminders": true, 4 | "message": { 5 | "owo_uwu": "**👻 | {user.mentions}**, `owo/uwu` cooldowns has passed!", 6 | "hunt_battle": "**👻 | {user.mentions}**, `hunt/battle` cooldowns has passed!", 7 | "pray_curse": "**👻 | {user.mentions}**, `pray/curse` cooldowns has passed!" 8 | } 9 | } -------------------------------------------------------------------------------- /index.js: -------------------------------------------------------------------------------- 1 | const Client = require('./src/Client'); 2 | const client = new Client(); 3 | 4 | client.counting.db = new Map(); // custom data store, but this optional (not permanents/will auto reset if the bot restart running). you can make custom with others database (permanents) thats you know; 5 | 6 | for (file of ['commands', 'events']) { 7 | require(`./src/handlers/${file}`)(client); 8 | } 9 | 10 | client.login(process.env['TOKEN']); // bot login 11 | 12 | process.on('unhandledRejection', (Error) => { 13 | console.error('[Unhandled: Promise Rejection]', Error); 14 | }); -------------------------------------------------------------------------------- /src/handlers/events.js: -------------------------------------------------------------------------------- 1 | const { readdirSync } = require('fs'); 2 | 3 | module.exports = function(client){ 4 | const discordjsEvent = readdirSync('./src/events/discordjs'); 5 | for (name of discordjsEvent) { 6 | const events = require(`../events/discordjs/${name}`); 7 | client.on(name.split('.')[0], events.bind(null, client)); 8 | }; 9 | const countingEvent = readdirSync('./src/events/counting'); 10 | for (name of countingEvent) { 11 | const events = require(`../events/counting/${name}`); 12 | client.counting.on(name.split('.')[0], events.bind(null, client)); 13 | }; 14 | } 15 | -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/feature_request.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Feature request 3 | about: Suggest an idea for this project 4 | title: '' 5 | labels: '' 6 | assignees: '' 7 | 8 | --- 9 | 10 | **Is your feature request related to a problem? Please describe.** 11 | A clear and concise description of what the problem is. Ex. I'm always frustrated when [...] 12 | 13 | **Describe the solution you'd like** 14 | A clear and concise description of what you want to happen. 15 | 16 | **Describe alternatives you've considered** 17 | A clear and concise description of any alternative solutions or features you've considered. 18 | 19 | **Additional context** 20 | Add any other context or screenshots about the feature request here. 21 | -------------------------------------------------------------------------------- /.github/workflows/node.js.yml: -------------------------------------------------------------------------------- 1 | # This workflow will do a clean install of node dependencies, build the source code and run tests across different versions of node 2 | # For more information see: https://help.github.com/actions/language-and-framework-guides/using-nodejs-with-github-actions 3 | 4 | name: Node.js CI 5 | 6 | on: 7 | push: 8 | branches: [ master ] 9 | pull_request: 10 | branches: [ master ] 11 | 12 | jobs: 13 | build: 14 | 15 | runs-on: ubuntu-latest 16 | 17 | strategy: 18 | matrix: 19 | node-version: [16.x] 20 | # See supported Node.js release schedule at https://nodejs.org/en/about/releases/ 21 | 22 | steps: 23 | - uses: actions/checkout@v2 24 | - name: Use Node.js ${{ matrix.node-version }} 25 | uses: actions/setup-node@v2 26 | with: 27 | node-version: ${{ matrix.node-version }} 28 | - run: npm install 29 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "discord-owo-counting", 3 | "version": "1.0.0-beta", 4 | "description": "A simple discord counting bot", 5 | "main": "index.js", 6 | "scripts": { 7 | "start": "node ." 8 | }, 9 | "dependencies": { 10 | "discord.js": "^13.2.0" 11 | }, 12 | "engines": { 13 | "node": ">=v16.x" 14 | }, 15 | "repository": { 16 | "type": "git", 17 | "url": "git+https://github.com/devinstr/discord-owo-counting.git" 18 | }, 19 | "keywords": [ 20 | "discord", 21 | "discord-bot", 22 | "discord-js", 23 | "discord-js-bot", 24 | "discord-owo", 25 | "discord-owo-counting", 26 | "discord-game", 27 | "discord-counting" 28 | ], 29 | "author": "Devin#3583", 30 | "license": "CC0-1.0", 31 | "bugs": { 32 | "url": "https://github.com/devinstr/discord-owo-counting/issues" 33 | }, 34 | "homepage": "https://github.com/devinstr/discord-owo-counting#readme" 35 | } 36 | -------------------------------------------------------------------------------- /.github/ISSUE_TEMPLATE/bug_report.md: -------------------------------------------------------------------------------- 1 | --- 2 | name: Bug report 3 | about: Create a report to help us improve 4 | title: '' 5 | labels: '' 6 | assignees: '' 7 | 8 | --- 9 | 10 | **Describe the bug** 11 | A clear and concise description of what the bug is. 12 | 13 | **To Reproduce** 14 | Steps to reproduce the behavior: 15 | 1. Go to '...' 16 | 2. Click on '....' 17 | 3. Scroll down to '....' 18 | 4. See error 19 | 20 | **Expected behavior** 21 | A clear and concise description of what you expected to happen. 22 | 23 | **Screenshots** 24 | If applicable, add screenshots to help explain your problem. 25 | 26 | **Desktop (please complete the following information):** 27 | - OS: [e.g. iOS] 28 | - Browser [e.g. chrome, safari] 29 | - Version [e.g. 22] 30 | 31 | **Smartphone (please complete the following information):** 32 | - Device: [e.g. iPhone6] 33 | - OS: [e.g. iOS8.1] 34 | - Browser [e.g. stock browser, safari] 35 | - Version [e.g. 22] 36 | 37 | **Additional context** 38 | Add any other context about the problem here. 39 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Discord-OwO-Counting 2 | Count tracker for your OwO / UwU . Based on [OwO Bot](https://github.com/ChristopherBThai/Discord-OwO-Bot) Guild Community 3 | - [x] Code generated with JavaScript (JS) 4 | - [x] Easy setup 5 | - [x] Easy handling 6 | - [x] Easy learning to how this project work 7 | - [x] Custom all you need 8 | - [x] Custom node:events counting 9 | - [x] Custom data store to improve bot utilities 10 | - [x] 24/7 support with this project 11 | - [x] More... 12 | 13 | ## Version 14 | - Only Testing (It's will done in the major update) 15 | 16 | ## Setups 17 | - bot configuration file at [src/settings/config.json](./src/settings/config.json) - edit as you wish 18 | - custom counting utilities (optional) file at [src/settings/custom.json](./src/settings/custom.json) - edit as needed 19 | - put your bot TOKEN at `.env` (enviroments) - check file `.env-example` 20 | 21 | ## Requirements 22 | - nodejs v16+ 23 | - discord.js@v13 24 | 25 | ## Run your bot 26 | - `npm install` install all package required 27 | - `node .` start bot -------------------------------------------------------------------------------- /src/events/discordjs/messageCreate.js: -------------------------------------------------------------------------------- 1 | module.exports = function(client, message){ 2 | if (message.author.bot) return; 3 | 4 | client.counting.create(message); // creating counting owo! 5 | 6 | const prfMention = new RegExp(`^<@!?${client.user.id}> `); 7 | const contentRaw = message.content.toLowerCase(); 8 | client.discord.prefix = contentRaw.match(prfMention) ? contentRaw.match(prfMention)[0] : client.discord.prefix; 9 | const prefix = client.discord.prefix.toLowerCase(); 10 | 11 | if (contentRaw.indexOf(prefix) !== 0) return; 12 | 13 | message.args = message.content.slice(prefix.length).trim().split(/ +/g); 14 | const commandx = message.args.shift().toLowerCase(); 15 | const commands = client.commands.get(commandx) || client.commands.find((x) => x.aliases && x.aliases.includes(commandx)); 16 | 17 | if (commands) { 18 | commands.run(client, message); 19 | } 20 | else { 21 | return message.reply('❌ Cannot execute that commands! :<').then(m=>setTimeout(()=>m.delete(),5000)); 22 | } 23 | } -------------------------------------------------------------------------------- /src/commands/stats.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | description: 'Check users count stats', 3 | aliases: ['count','c','s'], 4 | usage: '[user]', 5 | run(client, message){ 6 | const data = { 7 | owo: client.counting.db.get('owo.'+message.author.id) || 0, 8 | hunt: client.counting.db.get('hunt.'+message.author.id) || 0, 9 | battle: client.counting.db.get('battle.'+message.author.id) || 0, 10 | }; 11 | 12 | const daily = { 13 | owo: client.counting.db.get('daily.owo.'+message.author.id) || 0, 14 | hunt: client.counting.db.get('daily.hunt.'+message.author.id) || 0, 15 | battle: client.counting.db.get('daily.battle.'+message.author.id) || 0, 16 | }; 17 | 18 | const embed = client.createEmbed() 19 | .setTitle(`${message.author.username}'s OwO Stats`) 20 | .setDescription(`Hi there! Don't Give Up, Keep tracks your OwO...`) 21 | .addField('Daily Count', `owo: ${daily.owo}\nhunt: ${daily.hunt}\nbattle: ${daily.battle}`) 22 | .addField('Total Count', `owo: ${data.owo}\nhunt: ${data.hunt}\nbattle: ${data.battle}`); 23 | 24 | message.channel.send({ embeds: [embed] }); 25 | }, 26 | }; -------------------------------------------------------------------------------- /src/Client.js: -------------------------------------------------------------------------------- 1 | const { Client, Collection } = require('discord.js'); 2 | const { EventEmitter } = require('events'); 3 | 4 | const config = require('./settings/config.json'); 5 | const custom = require('./settings/custom.json'); 6 | 7 | class Counting extends Client { 8 | constructor() { 9 | super({ 10 | intents: ['GUILDS', 'GUILD_MESSAGES'], 11 | }); 12 | 13 | this.commands = new Collection(); 14 | this.cooldown = new Collection(); 15 | this.counting = new CountingStore(this); 16 | }; 17 | 18 | delay(timeout) { 19 | return new Promise((resolve, reject) => { 20 | if (timeout || typeof(timeout) === 'number') { 21 | return this.setTimeout(() => resolve(timeout), timeout); 22 | }; reject(new Error('Number not set!')); 23 | }); 24 | } 25 | }; 26 | 27 | class CountingStore extends EventEmitter { 28 | constructor(client) { 29 | super(); 30 | 31 | this.disable = false; 32 | this.version = require('../package.json').version; 33 | this.reminders = custom.reminders; 34 | this.owoprefix = new RegExp(`(owo|${custom.owoprefix})`); 35 | this.cooldowns = { 36 | owo: 10000, 37 | hunt: 15000, 38 | battle: 15000, 39 | pray_curse: 300000, 40 | }; 41 | this.custom_owoprefix = custom.owoprefix || null; 42 | 43 | client.on('ready', () => { 44 | this.client = client; 45 | this.readyAt = new Date(); 46 | this.readyTimestamp = Date.now(); 47 | 48 | this.emit('ready', this); 49 | }); 50 | }; 51 | 52 | create() { 53 | this.client.on('messageCreate', async (message) => { 54 | if (message.author.bot && message.author.id !== 'xxx') return; // listen to owo bot only to improve utility 55 | await created(message, this); 56 | }); 57 | }; 58 | }; 59 | 60 | async function created(message, counting) { 61 | // some handle 62 | } 63 | 64 | module.exports = Counting; -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Creative Commons Legal Code 2 | 3 | CC0 1.0 Universal 4 | 5 | CREATIVE COMMONS CORPORATION IS NOT A LAW FIRM AND DOES NOT PROVIDE 6 | LEGAL SERVICES. DISTRIBUTION OF THIS DOCUMENT DOES NOT CREATE AN 7 | ATTORNEY-CLIENT RELATIONSHIP. CREATIVE COMMONS PROVIDES THIS 8 | INFORMATION ON AN "AS-IS" BASIS. CREATIVE COMMONS MAKES NO WARRANTIES 9 | REGARDING THE USE OF THIS DOCUMENT OR THE INFORMATION OR WORKS 10 | PROVIDED HEREUNDER, AND DISCLAIMS LIABILITY FOR DAMAGES RESULTING FROM 11 | THE USE OF THIS DOCUMENT OR THE INFORMATION OR WORKS PROVIDED 12 | HEREUNDER. 13 | 14 | Statement of Purpose 15 | 16 | The laws of most jurisdictions throughout the world automatically confer 17 | exclusive Copyright and Related Rights (defined below) upon the creator 18 | and subsequent owner(s) (each and all, an "owner") of an original work of 19 | authorship and/or a database (each, a "Work"). 20 | 21 | Certain owners wish to permanently relinquish those rights to a Work for 22 | the purpose of contributing to a commons of creative, cultural and 23 | scientific works ("Commons") that the public can reliably and without fear 24 | of later claims of infringement build upon, modify, incorporate in other 25 | works, reuse and redistribute as freely as possible in any form whatsoever 26 | and for any purposes, including without limitation commercial purposes. 27 | These owners may contribute to the Commons to promote the ideal of a free 28 | culture and the further production of creative, cultural and scientific 29 | works, or to gain reputation or greater distribution for their Work in 30 | part through the use and efforts of others. 31 | 32 | For these and/or other purposes and motivations, and without any 33 | expectation of additional consideration or compensation, the person 34 | associating CC0 with a Work (the "Affirmer"), to the extent that he or she 35 | is an owner of Copyright and Related Rights in the Work, voluntarily 36 | elects to apply CC0 to the Work and publicly distribute the Work under its 37 | terms, with knowledge of his or her Copyright and Related Rights in the 38 | Work and the meaning and intended legal effect of CC0 on those rights. 39 | 40 | 1. Copyright and Related Rights. A Work made available under CC0 may be 41 | protected by copyright and related or neighboring rights ("Copyright and 42 | Related Rights"). Copyright and Related Rights include, but are not 43 | limited to, the following: 44 | 45 | i. the right to reproduce, adapt, distribute, perform, display, 46 | communicate, and translate a Work; 47 | ii. moral rights retained by the original author(s) and/or performer(s); 48 | iii. publicity and privacy rights pertaining to a person's image or 49 | likeness depicted in a Work; 50 | iv. rights protecting against unfair competition in regards to a Work, 51 | subject to the limitations in paragraph 4(a), below; 52 | v. rights protecting the extraction, dissemination, use and reuse of data 53 | in a Work; 54 | vi. database rights (such as those arising under Directive 96/9/EC of the 55 | European Parliament and of the Council of 11 March 1996 on the legal 56 | protection of databases, and under any national implementation 57 | thereof, including any amended or successor version of such 58 | directive); and 59 | vii. other similar, equivalent or corresponding rights throughout the 60 | world based on applicable law or treaty, and any national 61 | implementations thereof. 62 | 63 | 2. Waiver. To the greatest extent permitted by, but not in contravention 64 | of, applicable law, Affirmer hereby overtly, fully, permanently, 65 | irrevocably and unconditionally waives, abandons, and surrenders all of 66 | Affirmer's Copyright and Related Rights and associated claims and causes 67 | of action, whether now known or unknown (including existing as well as 68 | future claims and causes of action), in the Work (i) in all territories 69 | worldwide, (ii) for the maximum duration provided by applicable law or 70 | treaty (including future time extensions), (iii) in any current or future 71 | medium and for any number of copies, and (iv) for any purpose whatsoever, 72 | including without limitation commercial, advertising or promotional 73 | purposes (the "Waiver"). Affirmer makes the Waiver for the benefit of each 74 | member of the public at large and to the detriment of Affirmer's heirs and 75 | successors, fully intending that such Waiver shall not be subject to 76 | revocation, rescission, cancellation, termination, or any other legal or 77 | equitable action to disrupt the quiet enjoyment of the Work by the public 78 | as contemplated by Affirmer's express Statement of Purpose. 79 | 80 | 3. Public License Fallback. Should any part of the Waiver for any reason 81 | be judged legally invalid or ineffective under applicable law, then the 82 | Waiver shall be preserved to the maximum extent permitted taking into 83 | account Affirmer's express Statement of Purpose. In addition, to the 84 | extent the Waiver is so judged Affirmer hereby grants to each affected 85 | person a royalty-free, non transferable, non sublicensable, non exclusive, 86 | irrevocable and unconditional license to exercise Affirmer's Copyright and 87 | Related Rights in the Work (i) in all territories worldwide, (ii) for the 88 | maximum duration provided by applicable law or treaty (including future 89 | time extensions), (iii) in any current or future medium and for any number 90 | of copies, and (iv) for any purpose whatsoever, including without 91 | limitation commercial, advertising or promotional purposes (the 92 | "License"). The License shall be deemed effective as of the date CC0 was 93 | applied by Affirmer to the Work. Should any part of the License for any 94 | reason be judged legally invalid or ineffective under applicable law, such 95 | partial invalidity or ineffectiveness shall not invalidate the remainder 96 | of the License, and in such case Affirmer hereby affirms that he or she 97 | will not (i) exercise any of his or her remaining Copyright and Related 98 | Rights in the Work or (ii) assert any associated claims and causes of 99 | action with respect to the Work, in either case contrary to Affirmer's 100 | express Statement of Purpose. 101 | 102 | 4. Limitations and Disclaimers. 103 | 104 | a. No trademark or patent rights held by Affirmer are waived, abandoned, 105 | surrendered, licensed or otherwise affected by this document. 106 | b. Affirmer offers the Work as-is and makes no representations or 107 | warranties of any kind concerning the Work, express, implied, 108 | statutory or otherwise, including without limitation warranties of 109 | title, merchantability, fitness for a particular purpose, non 110 | infringement, or the absence of latent or other defects, accuracy, or 111 | the present or absence of errors, whether or not discoverable, all to 112 | the greatest extent permissible under applicable law. 113 | c. Affirmer disclaims responsibility for clearing rights of other persons 114 | that may apply to the Work or any use thereof, including without 115 | limitation any person's Copyright and Related Rights in the Work. 116 | Further, Affirmer disclaims responsibility for obtaining any necessary 117 | consents, permissions or other rights required for any use of the 118 | Work. 119 | d. Affirmer understands and acknowledges that Creative Commons is not a 120 | party to this document and has no duty or obligation with respect to 121 | this CC0 or use of the Work. -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | .env 2 | node_modules 3 | build 4 | cache 5 | package-lock.json 6 | 7 | ## Ignore Visual Studio temporary files, build results, and 8 | ## files generated by popular Visual Studio add-ons. 9 | ## 10 | ## Get latest from https://github.com/github/gitignore/blob/master/VisualStudio.gitignore 11 | 12 | # User-specific files 13 | *.rsuser 14 | *.suo 15 | *.user 16 | *.userosscache 17 | *.sln.docstates 18 | 19 | # User-specific files (MonoDevelop/Xamarin Studio) 20 | *.userprefs 21 | 22 | # Mono auto generated files 23 | mono_crash.* 24 | 25 | # Build results 26 | [Dd]ebug/ 27 | [Dd]ebugPublic/ 28 | [Rr]elease/ 29 | [Rr]eleases/ 30 | x64/ 31 | x86/ 32 | [Aa][Rr][Mm]/ 33 | [Aa][Rr][Mm]64/ 34 | bld/ 35 | [Bb]in/ 36 | [Oo]bj/ 37 | [Ll]og/ 38 | [Ll]ogs/ 39 | 40 | 41 | # Visual Studio 2015/2017 cache/options directory 42 | .vs/ 43 | node_modules 44 | # Uncomment if you have tasks that create the project's static files in wwwroot 45 | #wwwroot/ 46 | 47 | # Visual Studio 2017 auto generated files 48 | Generated\ Files/ 49 | 50 | # MSTest test Results 51 | [Tt]est[Rr]esult*/ 52 | [Bb]uild[Ll]og.* 53 | 54 | # NUnit 55 | *.VisualState.xml 56 | TestResult.xml 57 | nunit-*.xml 58 | 59 | # Build Results of an ATL Project 60 | [Dd]ebugPS/ 61 | [Rr]eleasePS/ 62 | dlldata.c 63 | 64 | # Benchmark Results 65 | BenchmarkDotNet.Artifacts/ 66 | 67 | # .NET Core 68 | project.lock.json 69 | project.fragment.lock.json 70 | artifacts/ 71 | 72 | # StyleCop 73 | StyleCopReport.xml 74 | 75 | # Files built by Visual Studio 76 | *_i.c 77 | *_p.c 78 | *_h.h 79 | *.ilk 80 | *.meta 81 | *.obj 82 | *.iobj 83 | *.pch 84 | *.pdb 85 | *.ipdb 86 | *.pgc 87 | *.pgd 88 | *.rsp 89 | *.sbr 90 | *.tlb 91 | *.tli 92 | *.tlh 93 | *.tmp 94 | *.tmp_proj 95 | *_wpftmp.csproj 96 | *.log 97 | *.vspscc 98 | *.vssscc 99 | .builds 100 | *.pidb 101 | *.svclog 102 | *.scc 103 | 104 | # Chutzpah Test files 105 | _Chutzpah* 106 | 107 | # Visual C++ cache files 108 | ipch/ 109 | *.aps 110 | *.ncb 111 | *.opendb 112 | *.opensdf 113 | *.sdf 114 | *.cachefile 115 | *.VC.db 116 | *.VC.VC.opendb 117 | 118 | # Visual Studio profiler 119 | *.psess 120 | *.vsp 121 | *.vspx 122 | *.sap 123 | 124 | # Visual Studio Trace Files 125 | *.e2e 126 | 127 | # TFS 2012 Local Workspace 128 | $tf/ 129 | 130 | # Guidance Automation Toolkit 131 | *.gpState 132 | 133 | # ReSharper is a .NET coding add-in 134 | _ReSharper*/ 135 | *.[Rr]e[Ss]harper 136 | *.DotSettings.user 137 | 138 | # TeamCity is a build add-in 139 | _TeamCity* 140 | 141 | # DotCover is a Code Coverage Tool 142 | *.dotCover 143 | 144 | # AxoCover is a Code Coverage Tool 145 | .axoCover/* 146 | !.axoCover/settings.json 147 | 148 | # Visual Studio code coverage results 149 | *.coverage 150 | *.coveragexml 151 | 152 | # NCrunch 153 | _NCrunch_* 154 | .*crunch*.local.xml 155 | nCrunchTemp_* 156 | 157 | # MightyMoose 158 | *.mm.* 159 | AutoTest.Net/ 160 | 161 | # Web workbench (sass) 162 | .sass-cache/ 163 | 164 | # Installshield output folder 165 | [Ee]xpress/ 166 | 167 | # DocProject is a documentation generator add-in 168 | DocProject/buildhelp/ 169 | DocProject/Help/*.HxT 170 | DocProject/Help/*.HxC 171 | DocProject/Help/*.hhc 172 | DocProject/Help/*.hhk 173 | DocProject/Help/*.hhp 174 | DocProject/Help/Html2 175 | DocProject/Help/html 176 | 177 | # Click-Once directory 178 | publish/ 179 | 180 | # Publish Web Output 181 | *.[Pp]ublish.xml 182 | *.azurePubxml 183 | # Note: Comment the next line if you want to checkin your web deploy settings, 184 | # but database connection strings (with potential passwords) will be unencrypted 185 | *.pubxml 186 | *.publishproj 187 | 188 | # Microsoft Azure Web App publish settings. Comment the next line if you want to 189 | # checkin your Azure Web App publish settings, but sensitive information contained 190 | # in these scripts will be unencrypted 191 | PublishScripts/ 192 | 193 | # NuGet Packages 194 | *.nupkg 195 | # NuGet Symbol Packages 196 | *.snupkg 197 | # The packages folder can be ignored because of Package Restore 198 | **/[Pp]ackages/* 199 | # except build/, which is used as an MSBuild target. 200 | !**/[Pp]ackages/build/ 201 | # Uncomment if necessary however generally it will be regenerated when needed 202 | #!**/[Pp]ackages/repositories.config 203 | # NuGet v3's project.json files produces more ignorable files 204 | *.nuget.props 205 | *.nuget.targets 206 | 207 | # Microsoft Azure Build Output 208 | csx/ 209 | *.build.csdef 210 | 211 | # Microsoft Azure Emulator 212 | ecf/ 213 | rcf/ 214 | 215 | # Windows Store app package directories and files 216 | AppPackages/ 217 | BundleArtifacts/ 218 | Package.StoreAssociation.xml 219 | _pkginfo.txt 220 | *.appx 221 | *.appxbundle 222 | *.appxupload 223 | 224 | # Visual Studio cache files 225 | # files ending in .cache can be ignored 226 | *.[Cc]ache 227 | # but keep track of directories ending in .cache 228 | !?*.[Cc]ache/ 229 | 230 | # Others 231 | ClientBin/ 232 | ~$* 233 | *~ 234 | *.dbmdl 235 | *.dbproj.schemaview 236 | *.jfm 237 | *.pfx 238 | *.publishsettings 239 | orleans.codegen.cs 240 | 241 | # Including strong name files can present a security risk 242 | # (https://github.com/github/gitignore/pull/2483#issue-259490424) 243 | #*.snk 244 | 245 | # Since there are multiple workflows, uncomment next line to ignore bower_components 246 | # (https://github.com/github/gitignore/pull/1529#issuecomment-104372622) 247 | #bower_components/ 248 | 249 | # RIA/Silverlight projects 250 | Generated_Code/ 251 | 252 | # Backup & report files from converting an old project file 253 | # to a newer Visual Studio version. Backup files are not needed, 254 | # because we have git ;-) 255 | _UpgradeReport_Files/ 256 | Backup*/ 257 | UpgradeLog*.XML 258 | UpgradeLog*.htm 259 | ServiceFabricBackup/ 260 | *.rptproj.bak 261 | 262 | # SQL Server files 263 | *.mdf 264 | *.ldf 265 | *.ndf 266 | 267 | # Business Intelligence projects 268 | *.rdl.data 269 | *.bim.layout 270 | *.bim_*.settings 271 | *.rptproj.rsuser 272 | *- [Bb]ackup.rdl 273 | *- [Bb]ackup ([0-9]).rdl 274 | *- [Bb]ackup ([0-9][0-9]).rdl 275 | 276 | # Microsoft Fakes 277 | FakesAssemblies/ 278 | 279 | # GhostDoc plugin setting file 280 | *.GhostDoc.xml 281 | 282 | # Node.js Tools for Visual Studio 283 | .ntvs_analysis.dat 284 | node_modules/ 285 | 286 | # Visual Studio 6 build log 287 | *.plg 288 | 289 | # Visual Studio 6 workspace options file 290 | *.opt 291 | 292 | # Visual Studio 6 auto-generated workspace file (contains which files were open etc.) 293 | *.vbw 294 | 295 | # Visual Studio LightSwitch build output 296 | **/*.HTMLClient/GeneratedArtifacts 297 | **/*.DesktopClient/GeneratedArtifacts 298 | **/*.DesktopClient/ModelManifest.xml 299 | **/*.Server/GeneratedArtifacts 300 | **/*.Server/ModelManifest.xml 301 | _Pvt_Extensions 302 | 303 | # Paket dependency manager 304 | .paket/paket.exe 305 | paket-files/ 306 | 307 | # FAKE - F# Make 308 | .fake/ 309 | 310 | # CodeRush personal settings 311 | .cr/personal 312 | 313 | # Python Tools for Visual Studio (PTVS) 314 | __pycache__/ 315 | *.pyc 316 | 317 | # Cake - Uncomment if you are using it 318 | # tools/** 319 | # !tools/packages.config 320 | 321 | # Tabs Studio 322 | *.tss 323 | 324 | # Telerik's JustMock configuration file 325 | *.jmconfig 326 | 327 | # BizTalk build output 328 | *.btp.cs 329 | *.btm.cs 330 | *.odx.cs 331 | *.xsd.cs 332 | 333 | # OpenCover UI analysis results 334 | OpenCover/ 335 | 336 | # Azure Stream Analytics local run output 337 | ASALocalRun/ 338 | 339 | # MSBuild Binary and Structured Log 340 | *.binlog 341 | 342 | # NVidia Nsight GPU debugger configuration file 343 | *.nvuser 344 | 345 | # MFractors (Xamarin productivity tool) working folder 346 | .mfractor/ 347 | 348 | # Local History for Visual Studio 349 | .localhistory/ 350 | 351 | # BeatPulse healthcheck temp database 352 | healthchecksdb 353 | 354 | # Backup folder for Package Reference Convert tool in Visual Studio 2017 355 | MigrationBackup/ 356 | 357 | # Ionide (cross platform F# VS Code tools) working folder 358 | .ionide/ 359 | --------------------------------------------------------------------------------