├── src ├── Scaffold.Web │ ├── client │ │ ├── index.ts │ │ └── index.html │ ├── tsconfig.json │ ├── Scaffold.Web.csproj │ ├── appsettings.Development.json │ ├── appsettings.json │ ├── wwwroot │ │ ├── index.html │ │ └── main.c03a200b65a3e7023c2e.js │ ├── package.json │ ├── Program.cs │ ├── Properties │ │ └── launchSettings.json │ ├── webpack.config.js │ └── Startup.cs └── .vscode │ ├── tasks.json │ └── launch.json └── .gitignore /src/Scaffold.Web/client/index.ts: -------------------------------------------------------------------------------- 1 | console.log("Hello World"); -------------------------------------------------------------------------------- /src/Scaffold.Web/tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "target": "es5" 4 | } 5 | } -------------------------------------------------------------------------------- /src/Scaffold.Web/Scaffold.Web.csproj: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | net5.0 5 | 6 | 7 | 8 | -------------------------------------------------------------------------------- /src/Scaffold.Web/appsettings.Development.json: -------------------------------------------------------------------------------- 1 | { 2 | "Logging": { 3 | "LogLevel": { 4 | "Default": "Information", 5 | "Microsoft": "Warning", 6 | "Microsoft.Hosting.Lifetime": "Information" 7 | } 8 | } 9 | } 10 | -------------------------------------------------------------------------------- /src/Scaffold.Web/appsettings.json: -------------------------------------------------------------------------------- 1 | { 2 | "Logging": { 3 | "LogLevel": { 4 | "Default": "Information", 5 | "Microsoft": "Warning", 6 | "Microsoft.Hosting.Lifetime": "Information" 7 | } 8 | }, 9 | "AllowedHosts": "*" 10 | } 11 | -------------------------------------------------------------------------------- /src/Scaffold.Web/client/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | SignalR Scaffold 7 | 8 | 9 |

SignalR Scaffold

10 | 11 | -------------------------------------------------------------------------------- /src/Scaffold.Web/wwwroot/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | SignalR Scaffold 7 | 8 | 9 |

SignalR Scaffold

10 | 11 | -------------------------------------------------------------------------------- /src/Scaffold.Web/package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "Scaffold.Web", 3 | "version": "1.0.0", 4 | "private": true, 5 | "description": "", 6 | "main": "index.js", 7 | "scripts": { 8 | "build": "webpack --mode=development --watch", 9 | "release": "webpack --mode=production", 10 | "publish": "npm run release && dotnet publish -c Release" 11 | }, 12 | "keywords": [], 13 | "author": "", 14 | "license": "ISC", 15 | "devDependencies": { 16 | "clean-webpack-plugin": "3.0.0", 17 | "css-loader": "3.4.2", 18 | "html-webpack-plugin": "3.2.0", 19 | "mini-css-extract-plugin": "0.9.0", 20 | "ts-loader": "6.2.1", 21 | "typescript": "3.7.5", 22 | "webpack": "4.41.5", 23 | "webpack-cli": "3.3.10" 24 | } 25 | } 26 | -------------------------------------------------------------------------------- /src/Scaffold.Web/Program.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | using System.Linq; 4 | using System.Threading.Tasks; 5 | using Microsoft.AspNetCore.Hosting; 6 | using Microsoft.Extensions.Configuration; 7 | using Microsoft.Extensions.Hosting; 8 | using Microsoft.Extensions.Logging; 9 | 10 | namespace Scaffold.Web 11 | { 12 | public class Program 13 | { 14 | public static void Main(string[] args) 15 | { 16 | CreateHostBuilder(args).Build().Run(); 17 | } 18 | 19 | public static IHostBuilder CreateHostBuilder(string[] args) => 20 | Host.CreateDefaultBuilder(args) 21 | .ConfigureWebHostDefaults(webBuilder => 22 | { 23 | webBuilder.UseStartup(); 24 | }); 25 | } 26 | } 27 | -------------------------------------------------------------------------------- /src/Scaffold.Web/Properties/launchSettings.json: -------------------------------------------------------------------------------- 1 | { 2 | "iisSettings": { 3 | "windowsAuthentication": false, 4 | "anonymousAuthentication": true, 5 | "iisExpress": { 6 | "applicationUrl": "http://localhost:5052", 7 | "sslPort": 44319 8 | } 9 | }, 10 | "profiles": { 11 | "IIS Express": { 12 | "commandName": "IISExpress", 13 | "launchBrowser": true, 14 | "environmentVariables": { 15 | "ASPNETCORE_ENVIRONMENT": "Development" 16 | } 17 | }, 18 | "Scaffold.Web": { 19 | "commandName": "Project", 20 | "dotnetRunMessages": "true", 21 | "launchBrowser": true, 22 | "applicationUrl": "https://localhost:5001;http://localhost:5000", 23 | "environmentVariables": { 24 | "ASPNETCORE_ENVIRONMENT": "Development" 25 | } 26 | } 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /src/Scaffold.Web/webpack.config.js: -------------------------------------------------------------------------------- 1 | const path = require("path"); 2 | const HtmlWebpackPlugin = require("html-webpack-plugin"); 3 | const { CleanWebpackPlugin } = require("clean-webpack-plugin"); 4 | const MiniCssExtractPlugin = require("mini-css-extract-plugin"); 5 | module.exports = { 6 | entry: "./client/index.ts", 7 | output: { 8 | path: path.resolve(__dirname, "wwwroot"), 9 | filename: "[name].[chunkhash].js", 10 | publicPath: "/" 11 | }, 12 | resolve: { 13 | extensions: [".js", ".ts"] 14 | }, 15 | module: { 16 | rules: [ 17 | { 18 | test: /\.ts$/, 19 | use: "ts-loader" 20 | }, 21 | { 22 | test: /\.css$/, 23 | use: [MiniCssExtractPlugin.loader, "css-loader"] 24 | } 25 | ] 26 | }, 27 | plugins: [ 28 | new CleanWebpackPlugin(), 29 | new HtmlWebpackPlugin({ 30 | template: "./client/index.html" 31 | }), 32 | new MiniCssExtractPlugin({ 33 | filename: "css/[name].[chunkhash].css" 34 | }) 35 | ] 36 | }; -------------------------------------------------------------------------------- /src/Scaffold.Web/Startup.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | using System.Linq; 4 | using System.Threading.Tasks; 5 | using Microsoft.AspNetCore.Builder; 6 | using Microsoft.AspNetCore.Hosting; 7 | using Microsoft.AspNetCore.Http; 8 | using Microsoft.Extensions.DependencyInjection; 9 | using Microsoft.Extensions.Hosting; 10 | 11 | namespace Scaffold.Web 12 | { 13 | public class Startup 14 | { 15 | // This method gets called by the runtime. Use this method to add services to the container. 16 | // For more information on how to configure your application, visit https://go.microsoft.com/fwlink/?LinkID=398940 17 | public void ConfigureServices(IServiceCollection services) 18 | { 19 | } 20 | 21 | // This method gets called by the runtime. Use this method to configure the HTTP request pipeline. 22 | public void Configure(IApplicationBuilder app, IWebHostEnvironment env) 23 | { 24 | if (env.IsDevelopment()) 25 | { 26 | app.UseDeveloperExceptionPage(); 27 | } 28 | 29 | app.UseRouting(); 30 | 31 | app.UseDefaultFiles(); //index.html 32 | app.UseStaticFiles(); 33 | } 34 | } 35 | } 36 | -------------------------------------------------------------------------------- /src/.vscode/tasks.json: -------------------------------------------------------------------------------- 1 | { 2 | "version": "2.0.0", 3 | "tasks": [ 4 | { 5 | "label": "build", 6 | "command": "dotnet", 7 | "type": "process", 8 | "args": [ 9 | "build", 10 | "${workspaceFolder}/Scaffold.Web/Scaffold.Web.csproj", 11 | "/property:GenerateFullPaths=true", 12 | "/consoleloggerparameters:NoSummary" 13 | ], 14 | "problemMatcher": "$msCompile" 15 | }, 16 | { 17 | "label": "publish", 18 | "command": "dotnet", 19 | "type": "process", 20 | "args": [ 21 | "publish", 22 | "${workspaceFolder}/Scaffold.Web/Scaffold.Web.csproj", 23 | "/property:GenerateFullPaths=true", 24 | "/consoleloggerparameters:NoSummary" 25 | ], 26 | "problemMatcher": "$msCompile" 27 | }, 28 | { 29 | "label": "watch", 30 | "command": "dotnet", 31 | "type": "process", 32 | "args": [ 33 | "watch", 34 | "run", 35 | "${workspaceFolder}/Scaffold.Web/Scaffold.Web.csproj", 36 | "/property:GenerateFullPaths=true", 37 | "/consoleloggerparameters:NoSummary" 38 | ], 39 | "problemMatcher": "$msCompile" 40 | } 41 | ] 42 | } -------------------------------------------------------------------------------- /src/.vscode/launch.json: -------------------------------------------------------------------------------- 1 | { 2 | // Use IntelliSense to find out which attributes exist for C# debugging 3 | // Use hover for the description of the existing attributes 4 | // For further information visit https://github.com/OmniSharp/omnisharp-vscode/blob/master/debugger-launchjson.md 5 | "version": "0.2.0", 6 | "configurations": [ 7 | { 8 | "name": ".NET Core Launch (web)", 9 | "type": "coreclr", 10 | "request": "launch", 11 | "preLaunchTask": "build", 12 | // If you have changed target frameworks, make sure to update the program path. 13 | "program": "${workspaceFolder}/Scaffold.Web/bin/Debug/net5.0/Scaffold.Web.dll", 14 | "args": [], 15 | "cwd": "${workspaceFolder}/Scaffold.Web", 16 | "stopAtEntry": false, 17 | // Enable launching a web browser when ASP.NET Core starts. For more information: https://aka.ms/VSCode-CS-LaunchJson-WebBrowser 18 | "serverReadyAction": { 19 | "action": "openExternally", 20 | "pattern": "\\bNow listening on:\\s+(https?://\\S+)" 21 | }, 22 | "env": { 23 | "ASPNETCORE_ENVIRONMENT": "Development" 24 | }, 25 | "sourceFileMap": { 26 | "/Views": "${workspaceFolder}/Views" 27 | } 28 | }, 29 | { 30 | "name": ".NET Core Attach", 31 | "type": "coreclr", 32 | "request": "attach", 33 | "processId": "${command:pickProcess}" 34 | } 35 | ] 36 | } -------------------------------------------------------------------------------- /src/Scaffold.Web/wwwroot/main.c03a200b65a3e7023c2e.js: -------------------------------------------------------------------------------- 1 | /******/ (function(modules) { // webpackBootstrap 2 | /******/ // The module cache 3 | /******/ var installedModules = {}; 4 | /******/ 5 | /******/ // The require function 6 | /******/ function __webpack_require__(moduleId) { 7 | /******/ 8 | /******/ // Check if module is in cache 9 | /******/ if(installedModules[moduleId]) { 10 | /******/ return installedModules[moduleId].exports; 11 | /******/ } 12 | /******/ // Create a new module (and put it into the cache) 13 | /******/ var module = installedModules[moduleId] = { 14 | /******/ i: moduleId, 15 | /******/ l: false, 16 | /******/ exports: {} 17 | /******/ }; 18 | /******/ 19 | /******/ // Execute the module function 20 | /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); 21 | /******/ 22 | /******/ // Flag the module as loaded 23 | /******/ module.l = true; 24 | /******/ 25 | /******/ // Return the exports of the module 26 | /******/ return module.exports; 27 | /******/ } 28 | /******/ 29 | /******/ 30 | /******/ // expose the modules object (__webpack_modules__) 31 | /******/ __webpack_require__.m = modules; 32 | /******/ 33 | /******/ // expose the module cache 34 | /******/ __webpack_require__.c = installedModules; 35 | /******/ 36 | /******/ // define getter function for harmony exports 37 | /******/ __webpack_require__.d = function(exports, name, getter) { 38 | /******/ if(!__webpack_require__.o(exports, name)) { 39 | /******/ Object.defineProperty(exports, name, { enumerable: true, get: getter }); 40 | /******/ } 41 | /******/ }; 42 | /******/ 43 | /******/ // define __esModule on exports 44 | /******/ __webpack_require__.r = function(exports) { 45 | /******/ if(typeof Symbol !== 'undefined' && Symbol.toStringTag) { 46 | /******/ Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' }); 47 | /******/ } 48 | /******/ Object.defineProperty(exports, '__esModule', { value: true }); 49 | /******/ }; 50 | /******/ 51 | /******/ // create a fake namespace object 52 | /******/ // mode & 1: value is a module id, require it 53 | /******/ // mode & 2: merge all properties of value into the ns 54 | /******/ // mode & 4: return value when already ns object 55 | /******/ // mode & 8|1: behave like require 56 | /******/ __webpack_require__.t = function(value, mode) { 57 | /******/ if(mode & 1) value = __webpack_require__(value); 58 | /******/ if(mode & 8) return value; 59 | /******/ if((mode & 4) && typeof value === 'object' && value && value.__esModule) return value; 60 | /******/ var ns = Object.create(null); 61 | /******/ __webpack_require__.r(ns); 62 | /******/ Object.defineProperty(ns, 'default', { enumerable: true, value: value }); 63 | /******/ if(mode & 2 && typeof value != 'string') for(var key in value) __webpack_require__.d(ns, key, function(key) { return value[key]; }.bind(null, key)); 64 | /******/ return ns; 65 | /******/ }; 66 | /******/ 67 | /******/ // getDefaultExport function for compatibility with non-harmony modules 68 | /******/ __webpack_require__.n = function(module) { 69 | /******/ var getter = module && module.__esModule ? 70 | /******/ function getDefault() { return module['default']; } : 71 | /******/ function getModuleExports() { return module; }; 72 | /******/ __webpack_require__.d(getter, 'a', getter); 73 | /******/ return getter; 74 | /******/ }; 75 | /******/ 76 | /******/ // Object.prototype.hasOwnProperty.call 77 | /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; 78 | /******/ 79 | /******/ // __webpack_public_path__ 80 | /******/ __webpack_require__.p = "/"; 81 | /******/ 82 | /******/ 83 | /******/ // Load entry module and return exports 84 | /******/ return __webpack_require__(__webpack_require__.s = "./client/index.ts"); 85 | /******/ }) 86 | /************************************************************************/ 87 | /******/ ({ 88 | 89 | /***/ "./client/index.ts": 90 | /*!*************************!*\ 91 | !*** ./client/index.ts ***! 92 | \*************************/ 93 | /*! no static exports found */ 94 | /***/ (function(module, exports) { 95 | 96 | eval("console.log(\"Hello World\");\r\n\n\n//# sourceURL=webpack:///./client/index.ts?"); 97 | 98 | /***/ }) 99 | 100 | /******/ }); -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | 2 | # Created by https://www.toptal.com/developers/gitignore/api/windows,linux,osx,visualstudio,visualstudiocode,node 3 | # Edit at https://www.toptal.com/developers/gitignore?templates=windows,linux,osx,visualstudio,visualstudiocode,node 4 | 5 | ### Linux ### 6 | *~ 7 | 8 | # temporary files which can be created if a process still has a handle open of a deleted file 9 | .fuse_hidden* 10 | 11 | # KDE directory preferences 12 | .directory 13 | 14 | # Linux trash folder which might appear on any partition or disk 15 | .Trash-* 16 | 17 | # .nfs files are created when an open file is removed but is still being accessed 18 | .nfs* 19 | 20 | ### Node ### 21 | # Logs 22 | logs 23 | *.log 24 | npm-debug.log* 25 | yarn-debug.log* 26 | yarn-error.log* 27 | lerna-debug.log* 28 | 29 | # Diagnostic reports (https://nodejs.org/api/report.html) 30 | report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json 31 | 32 | # Runtime data 33 | pids 34 | *.pid 35 | *.seed 36 | *.pid.lock 37 | 38 | # Directory for instrumented libs generated by jscoverage/JSCover 39 | lib-cov 40 | 41 | # Coverage directory used by tools like istanbul 42 | coverage 43 | *.lcov 44 | 45 | # nyc test coverage 46 | .nyc_output 47 | 48 | # Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files) 49 | .grunt 50 | 51 | # Bower dependency directory (https://bower.io/) 52 | bower_components 53 | 54 | # node-waf configuration 55 | .lock-wscript 56 | 57 | # Compiled binary addons (https://nodejs.org/api/addons.html) 58 | build/Release 59 | 60 | # Dependency directories 61 | node_modules/ 62 | jspm_packages/ 63 | 64 | # TypeScript v1 declaration files 65 | typings/ 66 | 67 | # TypeScript cache 68 | *.tsbuildinfo 69 | 70 | # Optional npm cache directory 71 | .npm 72 | 73 | # Optional eslint cache 74 | .eslintcache 75 | 76 | # Microbundle cache 77 | .rpt2_cache/ 78 | .rts2_cache_cjs/ 79 | .rts2_cache_es/ 80 | .rts2_cache_umd/ 81 | 82 | # Optional REPL history 83 | .node_repl_history 84 | 85 | # Output of 'npm pack' 86 | *.tgz 87 | 88 | # Yarn Integrity file 89 | .yarn-integrity 90 | 91 | # dotenv environment variables file 92 | .env 93 | .env.test 94 | .env*.local 95 | 96 | # parcel-bundler cache (https://parceljs.org/) 97 | .cache 98 | .parcel-cache 99 | 100 | # Next.js build output 101 | .next 102 | 103 | # Nuxt.js build / generate output 104 | .nuxt 105 | dist 106 | 107 | # Gatsby files 108 | .cache/ 109 | # Comment in the public line in if your project uses Gatsby and not Next.js 110 | # https://nextjs.org/blog/next-9-1#public-directory-support 111 | # public 112 | 113 | # vuepress build output 114 | .vuepress/dist 115 | 116 | # Serverless directories 117 | .serverless/ 118 | 119 | # FuseBox cache 120 | .fusebox/ 121 | 122 | # DynamoDB Local files 123 | .dynamodb/ 124 | 125 | # TernJS port file 126 | .tern-port 127 | 128 | # Stores VSCode versions used for testing VSCode extensions 129 | .vscode-test 130 | 131 | ### OSX ### 132 | # General 133 | .DS_Store 134 | .AppleDouble 135 | .LSOverride 136 | 137 | # Icon must end with two \r 138 | Icon 139 | 140 | 141 | # Thumbnails 142 | ._* 143 | 144 | # Files that might appear in the root of a volume 145 | .DocumentRevisions-V100 146 | .fseventsd 147 | .Spotlight-V100 148 | .TemporaryItems 149 | .Trashes 150 | .VolumeIcon.icns 151 | .com.apple.timemachine.donotpresent 152 | 153 | # Directories potentially created on remote AFP share 154 | .AppleDB 155 | .AppleDesktop 156 | Network Trash Folder 157 | Temporary Items 158 | .apdisk 159 | 160 | ### VisualStudioCode ### 161 | .vscode/* 162 | !.vscode/tasks.json 163 | !.vscode/launch.json 164 | *.code-workspace 165 | 166 | ### VisualStudioCode Patch ### 167 | # Ignore all local history of files 168 | .history 169 | .ionide 170 | 171 | ### Windows ### 172 | # Windows thumbnail cache files 173 | Thumbs.db 174 | Thumbs.db:encryptable 175 | ehthumbs.db 176 | ehthumbs_vista.db 177 | 178 | # Dump file 179 | *.stackdump 180 | 181 | # Folder config file 182 | [Dd]esktop.ini 183 | 184 | # Recycle Bin used on file shares 185 | $RECYCLE.BIN/ 186 | 187 | # Windows Installer files 188 | *.cab 189 | *.msi 190 | *.msix 191 | *.msm 192 | *.msp 193 | 194 | # Windows shortcuts 195 | *.lnk 196 | 197 | ### VisualStudio ### 198 | ## Ignore Visual Studio temporary files, build results, and 199 | ## files generated by popular Visual Studio add-ons. 200 | ## 201 | ## Get latest from https://github.com/github/gitignore/blob/master/VisualStudio.gitignore 202 | 203 | # User-specific files 204 | *.rsuser 205 | *.suo 206 | *.user 207 | *.userosscache 208 | *.sln.docstates 209 | 210 | # User-specific files (MonoDevelop/Xamarin Studio) 211 | *.userprefs 212 | 213 | # Mono auto generated files 214 | mono_crash.* 215 | 216 | # Build results 217 | [Dd]ebug/ 218 | [Dd]ebugPublic/ 219 | [Rr]elease/ 220 | [Rr]eleases/ 221 | x64/ 222 | x86/ 223 | [Aa][Rr][Mm]/ 224 | [Aa][Rr][Mm]64/ 225 | bld/ 226 | [Bb]in/ 227 | [Oo]bj/ 228 | [Ll]og/ 229 | [Ll]ogs/ 230 | 231 | # Visual Studio 2015/2017 cache/options directory 232 | .vs/ 233 | # Uncomment if you have tasks that create the project's static files in wwwroot 234 | #wwwroot/ 235 | 236 | # Visual Studio 2017 auto generated files 237 | Generated\ Files/ 238 | 239 | # MSTest test Results 240 | [Tt]est[Rr]esult*/ 241 | [Bb]uild[Ll]og.* 242 | 243 | # NUnit 244 | *.VisualState.xml 245 | TestResult.xml 246 | nunit-*.xml 247 | 248 | # Build Results of an ATL Project 249 | [Dd]ebugPS/ 250 | [Rr]eleasePS/ 251 | dlldata.c 252 | 253 | # Benchmark Results 254 | BenchmarkDotNet.Artifacts/ 255 | 256 | # .NET Core 257 | project.lock.json 258 | project.fragment.lock.json 259 | artifacts/ 260 | 261 | # StyleCop 262 | StyleCopReport.xml 263 | 264 | # Files built by Visual Studio 265 | *_i.c 266 | *_p.c 267 | *_h.h 268 | *.ilk 269 | *.meta 270 | *.obj 271 | *.iobj 272 | *.pch 273 | *.pdb 274 | *.ipdb 275 | *.pgc 276 | *.pgd 277 | *.rsp 278 | *.sbr 279 | *.tlb 280 | *.tli 281 | *.tlh 282 | *.tmp 283 | *.tmp_proj 284 | *_wpftmp.csproj 285 | *.vspscc 286 | *.vssscc 287 | .builds 288 | *.pidb 289 | *.svclog 290 | *.scc 291 | 292 | # Chutzpah Test files 293 | _Chutzpah* 294 | 295 | # Visual C++ cache files 296 | ipch/ 297 | *.aps 298 | *.ncb 299 | *.opendb 300 | *.opensdf 301 | *.sdf 302 | *.cachefile 303 | *.VC.db 304 | *.VC.VC.opendb 305 | 306 | # Visual Studio profiler 307 | *.psess 308 | *.vsp 309 | *.vspx 310 | *.sap 311 | 312 | # Visual Studio Trace Files 313 | *.e2e 314 | 315 | # TFS 2012 Local Workspace 316 | $tf/ 317 | 318 | # Guidance Automation Toolkit 319 | *.gpState 320 | 321 | # ReSharper is a .NET coding add-in 322 | _ReSharper*/ 323 | *.[Rr]e[Ss]harper 324 | *.DotSettings.user 325 | 326 | # TeamCity is a build add-in 327 | _TeamCity* 328 | 329 | # DotCover is a Code Coverage Tool 330 | *.dotCover 331 | 332 | # AxoCover is a Code Coverage Tool 333 | .axoCover/* 334 | !.axoCover/settings.json 335 | 336 | # Coverlet is a free, cross platform Code Coverage Tool 337 | coverage*[.json, .xml, .info] 338 | 339 | # Visual Studio code coverage results 340 | *.coverage 341 | *.coveragexml 342 | 343 | # NCrunch 344 | _NCrunch_* 345 | .*crunch*.local.xml 346 | nCrunchTemp_* 347 | 348 | # MightyMoose 349 | *.mm.* 350 | AutoTest.Net/ 351 | 352 | # Web workbench (sass) 353 | .sass-cache/ 354 | 355 | # Installshield output folder 356 | [Ee]xpress/ 357 | 358 | # DocProject is a documentation generator add-in 359 | DocProject/buildhelp/ 360 | DocProject/Help/*.HxT 361 | DocProject/Help/*.HxC 362 | DocProject/Help/*.hhc 363 | DocProject/Help/*.hhk 364 | DocProject/Help/*.hhp 365 | DocProject/Help/Html2 366 | DocProject/Help/html 367 | 368 | # Click-Once directory 369 | publish/ 370 | 371 | # Publish Web Output 372 | *.[Pp]ublish.xml 373 | *.azurePubxml 374 | # Note: Comment the next line if you want to checkin your web deploy settings, 375 | # but database connection strings (with potential passwords) will be unencrypted 376 | *.pubxml 377 | *.publishproj 378 | 379 | # Microsoft Azure Web App publish settings. Comment the next line if you want to 380 | # checkin your Azure Web App publish settings, but sensitive information contained 381 | # in these scripts will be unencrypted 382 | PublishScripts/ 383 | 384 | # NuGet Packages 385 | *.nupkg 386 | # NuGet Symbol Packages 387 | *.snupkg 388 | # The packages folder can be ignored because of Package Restore 389 | **/[Pp]ackages/* 390 | # except build/, which is used as an MSBuild target. 391 | !**/[Pp]ackages/build/ 392 | # Uncomment if necessary however generally it will be regenerated when needed 393 | #!**/[Pp]ackages/repositories.config 394 | # NuGet v3's project.json files produces more ignorable files 395 | *.nuget.props 396 | *.nuget.targets 397 | 398 | # Microsoft Azure Build Output 399 | csx/ 400 | *.build.csdef 401 | 402 | # Microsoft Azure Emulator 403 | ecf/ 404 | rcf/ 405 | 406 | # Windows Store app package directories and files 407 | AppPackages/ 408 | BundleArtifacts/ 409 | Package.StoreAssociation.xml 410 | _pkginfo.txt 411 | *.appx 412 | *.appxbundle 413 | *.appxupload 414 | 415 | # Visual Studio cache files 416 | # files ending in .cache can be ignored 417 | *.[Cc]ache 418 | # but keep track of directories ending in .cache 419 | !?*.[Cc]ache/ 420 | 421 | # Others 422 | ClientBin/ 423 | ~$* 424 | *.dbmdl 425 | *.dbproj.schemaview 426 | *.jfm 427 | *.pfx 428 | *.publishsettings 429 | orleans.codegen.cs 430 | 431 | # Including strong name files can present a security risk 432 | # (https://github.com/github/gitignore/pull/2483#issue-259490424) 433 | #*.snk 434 | 435 | # Since there are multiple workflows, uncomment next line to ignore bower_components 436 | # (https://github.com/github/gitignore/pull/1529#issuecomment-104372622) 437 | #bower_components/ 438 | 439 | # RIA/Silverlight projects 440 | Generated_Code/ 441 | 442 | # Backup & report files from converting an old project file 443 | # to a newer Visual Studio version. Backup files are not needed, 444 | # because we have git ;-) 445 | _UpgradeReport_Files/ 446 | Backup*/ 447 | UpgradeLog*.XML 448 | UpgradeLog*.htm 449 | ServiceFabricBackup/ 450 | *.rptproj.bak 451 | 452 | # SQL Server files 453 | *.mdf 454 | *.ldf 455 | *.ndf 456 | 457 | # Business Intelligence projects 458 | *.rdl.data 459 | *.bim.layout 460 | *.bim_*.settings 461 | *.rptproj.rsuser 462 | *- [Bb]ackup.rdl 463 | *- [Bb]ackup ([0-9]).rdl 464 | *- [Bb]ackup ([0-9][0-9]).rdl 465 | 466 | # Microsoft Fakes 467 | FakesAssemblies/ 468 | 469 | # GhostDoc plugin setting file 470 | *.GhostDoc.xml 471 | 472 | # Node.js Tools for Visual Studio 473 | .ntvs_analysis.dat 474 | 475 | # Visual Studio 6 build log 476 | *.plg 477 | 478 | # Visual Studio 6 workspace options file 479 | *.opt 480 | 481 | # Visual Studio 6 auto-generated workspace file (contains which files were open etc.) 482 | *.vbw 483 | 484 | # Visual Studio LightSwitch build output 485 | **/*.HTMLClient/GeneratedArtifacts 486 | **/*.DesktopClient/GeneratedArtifacts 487 | **/*.DesktopClient/ModelManifest.xml 488 | **/*.Server/GeneratedArtifacts 489 | **/*.Server/ModelManifest.xml 490 | _Pvt_Extensions 491 | 492 | # Paket dependency manager 493 | .paket/paket.exe 494 | paket-files/ 495 | 496 | # FAKE - F# Make 497 | .fake/ 498 | 499 | # CodeRush personal settings 500 | .cr/personal 501 | 502 | # Python Tools for Visual Studio (PTVS) 503 | __pycache__/ 504 | *.pyc 505 | 506 | # Cake - Uncomment if you are using it 507 | # tools/** 508 | # !tools/packages.config 509 | 510 | # Tabs Studio 511 | *.tss 512 | 513 | # Telerik's JustMock configuration file 514 | *.jmconfig 515 | 516 | # BizTalk build output 517 | *.btp.cs 518 | *.btm.cs 519 | *.odx.cs 520 | *.xsd.cs 521 | 522 | # OpenCover UI analysis results 523 | OpenCover/ 524 | 525 | # Azure Stream Analytics local run output 526 | ASALocalRun/ 527 | 528 | # MSBuild Binary and Structured Log 529 | *.binlog 530 | 531 | # NVidia Nsight GPU debugger configuration file 532 | *.nvuser 533 | 534 | # MFractors (Xamarin productivity tool) working folder 535 | .mfractor/ 536 | 537 | # Local History for Visual Studio 538 | .localhistory/ 539 | 540 | # BeatPulse healthcheck temp database 541 | healthchecksdb 542 | 543 | # Backup folder for Package Reference Convert tool in Visual Studio 2017 544 | MigrationBackup/ 545 | 546 | # Ionide (cross platform F# VS Code tools) working folder 547 | .ionide/ 548 | 549 | # End of https://www.toptal.com/developers/gitignore/api/windows,linux,osx,visualstudio,visualstudiocode,node --------------------------------------------------------------------------------