C Sharp Notes For Professionals
C Sharp Notes For Professionals
C#
                           Notes for Professionals
                                                 700+ pages
                                               of professional hints and tricks
                                                                                      Disclaimer
GoalKicker.com           This is an unocial free book created for educational purposes and is
                                         not aliated with ocial C# group(s) or company(s).
Free Programming Books                           All trademarks and registered trademarks are
                                                         the property of their respective owners
Contents
About ................................................................................................................................................................................... 1
Chapter 1: Getting started with C# Language ............................................................................................... 2
       Section 1.1: Creating a new console application (Visual Studio) ............................................................................... 2
       Section 1.2: Creating a new project in Visual Studio (console application) and Running it in Debug mode
            .................................................................................................................................................................................. 4
       Section 1.3: Creating a new program using .NET Core .............................................................................................. 7
       Section 1.4: Creating a new program using Mono ..................................................................................................... 9
       Section 1.5: Creating a new query using LinqPad ...................................................................................................... 9
       Section 1.6: Creating a new project using Xamarin Studio ...................................................................................... 12
Chapter 2: Verbatim Strings ................................................................................................................................. 18
       Section 2.1: Interpolated Verbatim Strings ............................................................................................................... 18
       Section 2.2: Escaping Double Quotes ....................................................................................................................... 18
       Section 2.3: Verbatim strings instruct the compiler to not use character escapes .............................................. 18
       Section 2.4: Multiline Strings ....................................................................................................................................... 19
Chapter 3: Operators ................................................................................................................................................ 20
       Section 3.1: Overloadable Operators ......................................................................................................................... 20
       Section 3.2: Overloading equality operators ............................................................................................................ 21
       Section 3.3: Relational Operators .............................................................................................................................. 22
       Section 3.4: Implicit Cast and Explicit Cast Operators ............................................................................................. 24
       Section 3.5: Short-circuiting Operators ..................................................................................................................... 25
       Section 3.6: ? : Ternary Operator ............................................................................................................................... 26
       Section 3.7: ?. (Null Conditional Operator) ................................................................................................................ 27
       Section 3.8: "Exclusive or" Operator .......................................................................................................................... 27
       Section 3.9: default Operator ..................................................................................................................................... 28
       Section 3.10: Assignment operator '=' ........................................................................................................................ 28
       Section 3.11: sizeof ........................................................................................................................................................ 28
       Section 3.12: ?? Null-Coalescing Operator ................................................................................................................ 29
       Section 3.13: Bit-Shifting Operators ........................................................................................................................... 29
       Section 3.14: => Lambda operator ............................................................................................................................. 29
       Section 3.15: Class Member Operators: Null Conditional Member Access ............................................................ 31
       Section 3.16: Class Member Operators: Null Conditional Indexing ......................................................................... 31
       Section 3.17: Postfix and Prefix increment and decrement ..................................................................................... 31
       Section 3.18: typeof ..................................................................................................................................................... 32
       Section 3.19: Binary operators with assignment ...................................................................................................... 32
       Section 3.20: nameof Operator ................................................................................................................................. 32
       Section 3.21: Class Member Operators: Member Access ........................................................................................ 33
       Section 3.22: Class Member Operators: Function Invocation ................................................................................. 33
       Section 3.23: Class Member Operators: Aggregate Object Indexing .................................................................... 33
Chapter 4: Extension Methods ............................................................................................................................. 34
       Section 4.1: Extension methods - overview ............................................................................................................... 34
       Section 4.2: Null checking ........................................................................................................................................... 36
       Section 4.3: Explicitly using an extension method .................................................................................................... 37
       Section 4.4: Generic Extension Methods ................................................................................................................... 37
       Section 4.5: Extension methods can only see public (or internal) members of the extended class .................. 39
       Section 4.6: Extension methods for chaining ............................................................................................................ 39
       Section 4.7: Extension methods with Enumeration .................................................................................................. 40
       Section 4.8: Extension methods dispatch based on static type ............................................................................. 41
      Section 4.9: Extension methods on Interfaces ......................................................................................................... 42
      Section 4.10: Extension methods in combination with interfaces ........................................................................... 43
      Section 4.11: Extension methods aren't supported by dynamic code .................................................................... 43
      Section 4.12: Extensions and interfaces together enable DRY code and mixin-like functionality ...................... 44
      Section 4.13: IList<T> Extension Method Example: Comparing 2 Lists ................................................................... 45
      Section 4.14: Extension methods as strongly typed wrappers ............................................................................... 46
      Section 4.15: Using Extension methods to create beautiful mapper classes ........................................................ 46
      Section 4.16: Using Extension methods to build new collection types (e.g. DictList) ............................................ 47
      Section 4.17: Extension methods for handling special cases .................................................................................. 48
      Section 4.18: Using Extension methods with Static methods and Callbacks ......................................................... 49
Chapter 5: Collection Initializers ......................................................................................................................... 51
      Section 5.1: Collection initializers ................................................................................................................................ 51
      Section 5.2: C# 6 Index Initializers .............................................................................................................................. 51
      Section 5.3: Collection initializers in custom classes ................................................................................................ 52
      Section 5.4: Using collection initializer inside object initializer ................................................................................ 53
      Section 5.5: Collection Initializers with Parameter Arrays ....................................................................................... 54
Chapter 6: String Interpolation ........................................................................................................................... 55
      Section 6.1: Format dates in strings ........................................................................................................................... 55
      Section 6.2: Padding the output ................................................................................................................................. 55
      Section 6.3: Expressions .............................................................................................................................................. 56
      Section 6.4: Formatting numbers in strings .............................................................................................................. 56
      Section 6.5: Simple Usage .......................................................................................................................................... 57
Chapter 7: An overview of C# collections ...................................................................................................... 58
      Section 7.1: HashSet<T> .............................................................................................................................................. 58
      Section 7.2: Dictionary<TKey, TValue> ..................................................................................................................... 58
      Section 7.3: SortedSet<T> ........................................................................................................................................... 59
      Section 7.4: T[ ] (Array of T) ...................................................................................................................................... 59
      Section 7.5: List<T> ...................................................................................................................................................... 60
      Section 7.6: Stack<T> .................................................................................................................................................. 60
      Section 7.7: LinkedList<T> ........................................................................................................................................... 60
      Section 7.8: Queue ....................................................................................................................................................... 61
Chapter 8: Constructors and Finalizers ........................................................................................................... 62
      Section 8.1: Static constructor .................................................................................................................................... 62
      Section 8.2: Singleton constructor pattern ............................................................................................................... 63
      Section 8.3: Default Constructor ................................................................................................................................ 63
      Section 8.4: Forcing a static constructor to be called ............................................................................................. 64
      Section 8.5: Calling a constructor from another constructor ................................................................................. 65
      Section 8.6: Calling the base class constructor ........................................................................................................ 65
      Section 8.7: Finalizers on derived classes ................................................................................................................. 66
      Section 8.8: Exceptions in static constructors .......................................................................................................... 66
      Section 8.9: Constructor and Property Initialization ................................................................................................ 67
      Section 8.10: Generic Static Constructors ................................................................................................................. 69
      Section 8.11: Calling virtual methods in constructor ................................................................................................. 69
Chapter 9: Static Classes ........................................................................................................................................ 71
      Section 9.1: Static Classes ........................................................................................................................................... 71
      Section 9.2: Static class lifetime ................................................................................................................................. 71
      Section 9.3: Static keyword ........................................................................................................................................ 72
Chapter 10: Keywords ............................................................................................................................................... 73
      Section 10.1: as ............................................................................................................................................................. 73
      Section 10.2: goto ........................................................................................................................................................ 74
Section 10.3: volatile .................................................................................................................................................... 75
Section 10.4: checked, unchecked .............................................................................................................................. 76
Section 10.5: virtual, override, new ............................................................................................................................. 77
Section 10.6: stackalloc ............................................................................................................................................... 80
Section 10.7: break ....................................................................................................................................................... 81
Section 10.8: const ....................................................................................................................................................... 83
Section 10.9: async, await ........................................................................................................................................... 84
Section 10.10: for .......................................................................................................................................................... 85
Section 10.11: abstract .................................................................................................................................................. 86
Section 10.12: fixed ....................................................................................................................................................... 87
Section 10.13: default ................................................................................................................................................... 88
Section 10.14: sealed .................................................................................................................................................... 89
Section 10.15: is ............................................................................................................................................................. 89
Section 10.16: this ......................................................................................................................................................... 90
Section 10.17: readonly ................................................................................................................................................ 91
Section 10.18: typeof .................................................................................................................................................... 92
Section 10.19: foreach .................................................................................................................................................. 92
Section 10.20: dynamic ............................................................................................................................................... 93
Section 10.21: try, catch, finally, throw ....................................................................................................................... 94
Section 10.22: void ....................................................................................................................................................... 95
Section 10.23: namespace .......................................................................................................................................... 95
Section 10.24: ref, out .................................................................................................................................................. 96
Section 10.25: base ...................................................................................................................................................... 97
Section 10.26: float, double, decimal ......................................................................................................................... 99
Section 10.27: operator ............................................................................................................................................. 100
Section 10.28: char .................................................................................................................................................... 101
Section 10.29: params ............................................................................................................................................... 101
Section 10.30: while .................................................................................................................................................... 102
Section 10.31: null ....................................................................................................................................................... 104
Section 10.32: continue .............................................................................................................................................. 105
Section 10.33: string ................................................................................................................................................... 105
Section 10.34: return .................................................................................................................................................. 106
Section 10.35: unsafe ................................................................................................................................................. 106
Section 10.36: switch .................................................................................................................................................. 108
Section 10.37: var ....................................................................................................................................................... 109
Section 10.38: when ................................................................................................................................................... 110
Section 10.39: lock ..................................................................................................................................................... 111
Section 10.40: uint ...................................................................................................................................................... 112
Section 10.41: if, if...else, if... else if ............................................................................................................................. 112
Section 10.42: static ................................................................................................................................................... 113
Section 10.43: internal ............................................................................................................................................... 115
Section 10.44: using ................................................................................................................................................... 116
Section 10.45: where .................................................................................................................................................. 116
Section 10.46: int ........................................................................................................................................................ 118
Section 10.47: ulong ................................................................................................................................................... 119
Section 10.48: true, false ........................................................................................................................................... 119
Section 10.49: struct .................................................................................................................................................. 119
Section 10.50: extern ................................................................................................................................................. 120
Section 10.51: bool ...................................................................................................................................................... 121
Section 10.52: interface ............................................................................................................................................. 121
Section 10.53: delegate ............................................................................................................................................. 122
      Section 10.54: unchecked ......................................................................................................................................... 122
      Section 10.55: ushort ................................................................................................................................................. 123
      Section 10.56: sizeof .................................................................................................................................................. 123
      Section 10.57: in ......................................................................................................................................................... 123
      Section 10.58: implicit ................................................................................................................................................ 124
      Section 10.59: do ........................................................................................................................................................ 124
      Section 10.60: long ..................................................................................................................................................... 125
      Section 10.61: enum ................................................................................................................................................... 125
      Section 10.62: partial ................................................................................................................................................. 126
      Section 10.63: event ................................................................................................................................................... 127
      Section 10.64: sbyte ................................................................................................................................................... 128
Chapter 11: Object Oriented Programming In C# ..................................................................................... 129
      Section 11.1: Classes: .................................................................................................................................................. 129
Chapter 12: Inheritance .......................................................................................................................................... 130
      Section 12.1: Inheritance. Constructors' calls sequence ......................................................................................... 130
      Section 12.2: Inheriting from a base class .............................................................................................................. 132
      Section 12.3: Inheriting from a class and implementing an interface .................................................................. 133
      Section 12.4: Inheriting from a class and implementing multiple interfaces ...................................................... 133
      Section 12.5: Constructors In A Subclass ................................................................................................................. 134
      Section 12.6: Inheritance Anti-patterns ................................................................................................................... 134
      Section 12.7: Extending an abstract base class ...................................................................................................... 135
      Section 12.8: Testing and navigating inheritance .................................................................................................. 136
      Section 12.9: Inheriting methods .............................................................................................................................. 136
      Section 12.10: Base class with recursive type specification ................................................................................... 137
Chapter 13: Generics ................................................................................................................................................ 140
      Section 13.1: Implicit type inference (methods) ...................................................................................................... 140
      Section 13.2: Type inference (classes) .................................................................................................................... 141
      Section 13.3: Using generic method with an interface as a constraint type ....................................................... 141
      Section 13.4: Type constraints (new-keyword) ...................................................................................................... 142
      Section 13.5: Type constraints (classes and interfaces) ........................................................................................ 143
      Section 13.6: Checking equality of generic values ................................................................................................. 144
      Section 13.7: Reflecting on type parameters .......................................................................................................... 145
      Section 13.8: Covariance ........................................................................................................................................... 145
      Section 13.9: Contravariance .................................................................................................................................... 146
      Section 13.10: Invariance ........................................................................................................................................... 147
      Section 13.11: Variant interfaces ............................................................................................................................... 147
      Section 13.12: Variant delegates ............................................................................................................................... 148
      Section 13.13: Variant types as parameters and return values ............................................................................ 149
      Section 13.14: Type Parameters (Interfaces) .......................................................................................................... 149
      Section 13.15: Type constraints (class and struct) ................................................................................................. 150
      Section 13.16: Explicit type parameters ................................................................................................................... 150
      Section 13.17: Type Parameters (Classes) ............................................................................................................... 150
      Section 13.18: Type Parameters (Methods) ............................................................................................................. 151
      Section 13.19: Generic type casting .......................................................................................................................... 151
      Section 13.20: Configuration reader with generic type casting ............................................................................ 152
Chapter 14: Using Statement ............................................................................................................................. 154
      Section 14.1: Using Statement Basics ....................................................................................................................... 154
      Section 14.2: Gotcha: returning the resource which you are disposing ............................................................... 155
      Section 14.3: Multiple using statements with one block ......................................................................................... 156
      Section 14.4: Gotcha: Exception in Dispose method masking other errors in Using blocks .............................. 157
      Section 14.5: Using statements are null-safe .......................................................................................................... 157
      Section 14.6: Using Dispose Syntax to define custom scope ................................................................................ 157
      Section 14.7: Using Statements and Database Connections ................................................................................ 158
      Section 14.8: Executing code in constraint context ................................................................................................ 160
Chapter 15: Using Directive ................................................................................................................................. 161
      Section 15.1: Associate an Alias to Resolve Conflicts ............................................................................................. 161
      Section 15.2: Using alias directives .......................................................................................................................... 161
      Section 15.3: Access Static Members of a Class ..................................................................................................... 161
      Section 15.4: Basic Usage ......................................................................................................................................... 162
      Section 15.5: Reference a Namespace .................................................................................................................... 162
      Section 15.6: Associate an Alias with a Namespace .............................................................................................. 162
Chapter 16: Reflection ............................................................................................................................................ 164
      Section 16.1: Get the members of a type ................................................................................................................. 164
      Section 16.2: Get a method and invoke it ................................................................................................................ 164
      Section 16.3: Creating an instance of a Type ......................................................................................................... 165
      Section 16.4: Get a Strongly-Typed Delegate to a Method or Property via Reflection ..................................... 168
      Section 16.5: Get a generic method and invoke it .................................................................................................. 169
      Section 16.6: Get a System.Type .............................................................................................................................. 170
      Section 16.7: Getting and setting properties ........................................................................................................... 170
      Section 16.8: Create an instance of a Generic Type and invoke it's method ...................................................... 170
      Section 16.9: Custom Attributes ............................................................................................................................... 171
      Section 16.10: Instantiating classes that implement an interface (e.g. plugin activation) .................................. 172
      Section 16.11: Get a Type by name with namespace ............................................................................................. 172
      Section 16.12: Determining generic arguments of instances of generic types ................................................... 173
      Section 16.13: Looping through all the properties of a class ................................................................................. 174
Chapter 17: Null-Coalescing Operator ........................................................................................................... 175
      Section 17.1: Basic usage ........................................................................................................................................... 175
      Section 17.2: Null fall-through and chaining ........................................................................................................... 175
      Section 17.3: Null coalescing operator with method calls ..................................................................................... 176
      Section 17.4: Use existing or create new ................................................................................................................. 177
      Section 17.5: Lazy properties initialization with null coalescing operator ............................................................ 177
Chapter 18: Getting Started: Json with C# .................................................................................................. 178
      Section 18.1: Simple Json Example .......................................................................................................................... 178
      Section 18.2: First things First: Library to work with Json ..................................................................................... 178
      Section 18.3: C# Implementation ............................................................................................................................. 178
      Section 18.4: Serialization .......................................................................................................................................... 179
      Section 18.5: Deserialization ..................................................................................................................................... 179
      Section 18.6: Serialization & De-Serialization Common Utilities function ............................................................ 179
Chapter 19: LINQ Queries ...................................................................................................................................... 181
      Section 19.1: Chaining methods ................................................................................................................................ 181
      Section 19.2: First, FirstOrDefault, Last, LastOrDefault, Single, and SingleOrDefault ......................................... 182
      Section 19.3: Except ................................................................................................................................................... 185
      Section 19.4: SelectMany .......................................................................................................................................... 187
      Section 19.5: Any ........................................................................................................................................................ 188
      Section 19.6: JOINS .................................................................................................................................................... 188
      Section 19.7: Skip and Take ...................................................................................................................................... 191
      Section 19.8: Defining a variable inside a Linq query (let keyword) .................................................................... 191
      Section 19.9: Zip ......................................................................................................................................................... 192
      Section 19.10: Range and Repeat ............................................................................................................................ 192
      Section 19.11: Basics ................................................................................................................................................... 193
      Section 19.12: All ......................................................................................................................................................... 193
      Section 19.13: Aggregate ........................................................................................................................................... 194
      Section 19.14: Distinct ................................................................................................................................................. 195
      Section 19.15: SelectMany: Flattening a sequence of sequences ......................................................................... 195
      Section 19.16: GroupBy .............................................................................................................................................. 197
      Section 19.17: Query collection by type / cast elements to type .......................................................................... 198
      Section 19.18: Enumerating the Enumerable .......................................................................................................... 199
      Section 19.19: Using Range with various Linq methods ......................................................................................... 200
      Section 19.20: Where ................................................................................................................................................. 201
      Section 19.21: Using SelectMany instead of nested loops ..................................................................................... 201
      Section 19.22: Contains ............................................................................................................................................. 201
      Section 19.23: Joining multiple sequences .............................................................................................................. 203
      Section 19.24: Joining on multiple keys .................................................................................................................. 205
      Section 19.25: ToLookup ........................................................................................................................................... 205
      Section 19.26: SkipWhile ............................................................................................................................................ 205
      Section 19.27: Query Ordering - OrderBy() ThenBy() OrderByDescending() ThenByDescending() ............... 206
      Section 19.28: Sum ..................................................................................................................................................... 207
      Section 19.29: GroupBy one or multiple fields ........................................................................................................ 207
      Section 19.30: OrderBy .............................................................................................................................................. 208
      Section 19.31: Any and First(OrDefault) - best practice ......................................................................................... 209
      Section 19.32: GroupBy Sum and Count ................................................................................................................. 209
      Section 19.33: SequenceEqual .................................................................................................................................. 210
      Section 19.34: ElementAt and ElementAtOrDefault ............................................................................................... 210
      Section 19.35: DefaultIfEmpty .................................................................................................................................. 211
      Section 19.36: ToDictionary ...................................................................................................................................... 212
      Section 19.37: Concat ................................................................................................................................................ 213
      Section 19.38: Build your own Linq operators for IEnumerable<T> ..................................................................... 213
      Section 19.39: Select - Transforming elements ...................................................................................................... 214
      Section 19.40: OrderByDescending ......................................................................................................................... 215
      Section 19.41: Union ................................................................................................................................................... 215
      Section 19.42: GroupJoin with outer range variable .............................................................................................. 216
      Section 19.43: Linq Quantifiers ................................................................................................................................. 216
      Section 19.44: TakeWhile .......................................................................................................................................... 216
      Section 19.45: Reverse .............................................................................................................................................. 217
      Section 19.46: Count and LongCount ...................................................................................................................... 218
      Section 19.47: Incrementally building a query ........................................................................................................ 218
      Section 19.48: Select with Func<TSource, int, TResult> selector - Use to get ranking of elements .................. 220
Chapter 20: C# 7.0 Features ............................................................................................................................... 222
      Section 20.1: Language support for Tuples ............................................................................................................ 222
      Section 20.2: Local functions ................................................................................................................................... 226
      Section 20.3: out var declaration ............................................................................................................................. 227
      Section 20.4: Pattern Matching ................................................................................................................................ 228
      Section 20.5: Digit separators .................................................................................................................................. 230
      Section 20.6: Binary literals ...................................................................................................................................... 230
      Section 20.7: throw expressions .............................................................................................................................. 231
      Section 20.8: Extended expression bodied members list ...................................................................................... 232
      Section 20.9: ref return and ref local ...................................................................................................................... 233
      Section 20.10: ValueTask<T> .................................................................................................................................... 234
Chapter 21: C# 6.0 Features ................................................................................................................................ 236
      Section 21.1: Exception filters .................................................................................................................................... 236
      Section 21.2: String interpolation ............................................................................................................................. 240
      Section 21.3: Auto-property initializers .................................................................................................................... 246
      Section 21.4: Null propagation ................................................................................................................................. 249
      Section 21.5: Expression-bodied function members .............................................................................................. 252
      Section 21.6: Operator nameof ................................................................................................................................ 254
      Section 21.7: Using static type .................................................................................................................................. 256
      Section 21.8: Index initializers ................................................................................................................................... 256
      Section 21.9: Improved overload resolution ........................................................................................................... 258
      Section 21.10: Await in catch and finally .................................................................................................................. 259
      Section 21.11: Minor changes and bugfixes ............................................................................................................. 260
      Section 21.12: Using an extension method for collection initialization ................................................................. 260
      Section 21.13: Disable Warnings Enhancements .................................................................................................... 261
Chapter 22: C# 5.0 Features ............................................................................................................................... 263
      Section 22.1: Async & Await ...................................................................................................................................... 263
      Section 22.2: Caller Information Attributes ............................................................................................................ 264
Chapter 23: C# 4.0 Features ............................................................................................................................... 265
      Section 23.1: Optional parameters and named arguments .................................................................................. 265
      Section 23.2: Variance .............................................................................................................................................. 266
      Section 23.3: Dynamic member lookup .................................................................................................................. 266
      Section 23.4: Optional ref keyword when using COM ........................................................................................... 267
Chapter 24: C# 3.0 Features ............................................................................................................................... 268
      Section 24.1: Implicitly typed variables (var) .......................................................................................................... 268
      Section 24.2: Language Integrated Queries (LINQ) .............................................................................................. 268
      Section 24.3: Lambda expresions ............................................................................................................................ 269
      Section 24.4: Anonymous types .............................................................................................................................. 269
Chapter 25: String Escape Sequences ........................................................................................................... 271
      Section 25.1: Escaping special symbols in string literals ....................................................................................... 271
      Section 25.2: Unicode character escape sequences ............................................................................................. 271
      Section 25.3: Escaping special symbols in character literals ............................................................................... 271
      Section 25.4: Using escape sequences in identifiers ............................................................................................. 271
      Section 25.5: Unrecognized escape sequences produce compile-time errors .................................................. 272
Chapter 26: Exception Handling ........................................................................................................................ 273
      Section 26.1: Creating Custom Exceptions .............................................................................................................. 273
      Section 26.2: Finally block ........................................................................................................................................ 275
      Section 26.3: Best Practices ..................................................................................................................................... 276
      Section 26.4: Exception Anti-patterns ..................................................................................................................... 278
      Section 26.5: Basic Exception Handling .................................................................................................................. 280
      Section 26.6: Handling specific exception types .................................................................................................... 280
      Section 26.7: Aggregate exceptions / multiple exceptions from one method ................................................... 281
      Section 26.8: Throwing an exception ...................................................................................................................... 282
      Section 26.9: Unhandled and Thread Exception .................................................................................................... 282
      Section 26.10: Implementing IErrorHandler for WCF Services ............................................................................. 283
      Section 26.11: Using the exception object ................................................................................................................ 285
      Section 26.12: Nesting of Exceptions & try catch blocks ....................................................................................... 287
Chapter 27: Null-conditional Operators ....................................................................................................... 288
      Section 27.1: Null-Conditional Operator .................................................................................................................. 288
      Section 27.2: The Null-Conditional Index ................................................................................................................ 288
      Section 27.3: Avoiding NullReferenceExceptions ................................................................................................... 289
      Section 27.4: Null-conditional Operator can be used with Extension Method .................................................... 289
Chapter 28: Built-in Types .................................................................................................................................... 291
      Section 28.1: Conversion of boxed value types ...................................................................................................... 291
      Section 28.2: Comparisons with boxed value types .............................................................................................. 291
      Section 28.3: Immutable reference type - string ................................................................................................... 291
      Section 28.4: Value type - char ................................................................................................................................ 292
      Section 28.5: Value type - short, int, long (signed 16 bit, 32 bit, 64 bit integers) ................................................. 292
      Section 28.6: Value type - ushort, uint, ulong (unsigned 16 bit, 32 bit, 64 bit integers) ...................................... 292
      Section 28.7: Value type - bool ................................................................................................................................ 293
Chapter 29: Lambda expressions ..................................................................................................................... 294
      Section 29.1: Lambda Expressions as Shorthand for Delegate Initialization ...................................................... 294
      Section 29.2: Lambda Expression as an Event Handler ........................................................................................ 294
      Section 29.3: Lambda Expressions with Multiple Parameters or No Parameters .............................................. 295
      Section 29.4: Lambdas can be emitted both as `Func` and `Expression` ............................................................ 295
      Section 29.5: Put Multiple Statements in a Statement Lambda ........................................................................... 295
      Section 29.6: Lambdas for both `Func` and `Action` .............................................................................................. 296
      Section 29.7: Passing a Lambda Expression as a Parameter to a Method ........................................................ 296
Chapter 30: Async-Await ....................................................................................................................................... 297
      Section 30.1: Await operator and async keyword .................................................................................................. 297
      Section 30.2: Concurrent calls .................................................................................................................................. 298
      Section 30.3: Try/Catch/Finally ............................................................................................................................... 299
      Section 30.4: Returning a Task without await ........................................................................................................ 300
      Section 30.5: Async/await will only improve performance if it allows the machine to do additional work
           ............................................................................................................................................................................. 300
      Section 30.6: Web.config setup to target 4.5 for correct async behaviour ........................................................ 301
      Section 30.7: Simple consecutive calls .................................................................................................................... 301
      Section 30.8: Blocking on async code can cause deadlocks ............................................................................... 302
Chapter 31: Properties ............................................................................................................................................ 304
      Section 31.1: Auto-implemented properties ............................................................................................................ 304
      Section 31.2: Default Values for Properties ............................................................................................................. 304
      Section 31.3: Public Get ............................................................................................................................................. 305
      Section 31.4: Public Set .............................................................................................................................................. 305
      Section 31.5: Accessing Properties ........................................................................................................................... 305
      Section 31.6: Read-only properties .......................................................................................................................... 307
      Section 31.7: Various Properties in Context ............................................................................................................. 307
Chapter 32: Threading ........................................................................................................................................... 309
      Section 32.1: Avoiding Reading and Writing Data Simultaneously ...................................................................... 309
      Section 32.2: Creating and Starting a Second Thread .......................................................................................... 310
      Section 32.3: Parallel.ForEach Loop ........................................................................................................................ 310
      Section 32.4: Deadlocks (hold resource and wait) ................................................................................................ 311
      Section 32.5: Simple Complete Threading Demo .................................................................................................. 313
      Section 32.6: Creating One Thread Per Processor ................................................................................................ 314
      Section 32.7: Simple Complete Threading Demo using Tasks ............................................................................. 314
      Section 32.8: Deadlocks (two threads waiting on each other) ............................................................................. 315
      Section 32.9: Explicit Task Parallism ........................................................................................................................ 316
      Section 32.10: Implicit Task Parallelism ................................................................................................................... 316
      Section 32.11: Starting a thread with parameters .................................................................................................. 317
Chapter 33: Methods ............................................................................................................................................... 318
      Section 33.1: Calling a Method .................................................................................................................................. 318
      Section 33.2: Anonymous method ........................................................................................................................... 318
      Section 33.3: Declaring a Method ............................................................................................................................ 319
      Section 33.4: Parameters and Arguments .............................................................................................................. 319
      Section 33.5: Return Types ....................................................................................................................................... 319
      Section 33.6: Default Parameters ............................................................................................................................ 320
      Section 33.7: Method overloading ........................................................................................................................... 321
      Section 33.8: Access rights ....................................................................................................................................... 322
Chapter 34: Yield Keyword .................................................................................................................................. 323
      Section 34.1: Simple Usage ....................................................................................................................................... 323
      Section 34.2: Correctly checking arguments ......................................................................................................... 323
      Section 34.3: Early Termination ............................................................................................................................... 324
      Section 34.4: More Pertinent Usage ........................................................................................................................ 325
      Section 34.5: Lazy Evaluation .................................................................................................................................. 326
      Section 34.6: Try...finally ............................................................................................................................................ 327
      Section 34.7: Eager evaluation ................................................................................................................................. 328
      Section 34.8: Using yield to create an IEnumerator<T> when implementing IEnumerable<T> ........................ 328
      Section 34.9: Lazy Evaluation Example: Fibonacci Numbers ............................................................................... 329
      Section 34.10: The dierence between break and yield break ............................................................................ 330
      Section 34.11: Return another Enumerable within a method returning Enumerable .......................................... 331
Chapter 35: Events ................................................................................................................................................... 332
      Section 35.1: Declaring and Raising Events ............................................................................................................ 332
      Section 35.2: Event Properties ................................................................................................................................. 333
      Section 35.3: Creating cancelable event ................................................................................................................. 334
      Section 35.4: Standard Event Declaration .............................................................................................................. 335
      Section 35.5: Anonymous Event Handler Declaration ........................................................................................... 336
      Section 35.6: Non-Standard Event Declaration ..................................................................................................... 336
      Section 35.7: Creating custom EventArgs containing additional data ................................................................ 337
Chapter 36: Common String Operations ...................................................................................................... 339
      Section 36.1: Formatting a string ............................................................................................................................. 339
      Section 36.2: Correctly reversing a string ............................................................................................................... 339
      Section 36.3: Padding a string to a fixed length .................................................................................................... 340
      Section 36.4: Getting x characters from the right side of a string ....................................................................... 341
      Section 36.5: Checking for empty String using String.IsNullOrEmpty() and String.IsNullOrWhiteSpace()
           ............................................................................................................................................................................. 342
      Section 36.6: Trimming Unwanted Characters O the Start and/or End of Strings ......................................... 343
      Section 36.7: Convert Decimal Number to Binary,Octal and Hexadecimal Format .......................................... 343
      Section 36.8: Construct a string from Array ........................................................................................................... 343
      Section 36.9: Formatting using ToString ................................................................................................................. 344
      Section 36.10: Splitting a String by another string ................................................................................................. 345
      Section 36.11: Splitting a String by specific character ............................................................................................ 345
      Section 36.12: Getting Substrings of a given string ................................................................................................ 345
      Section 36.13: Determine whether a string begins with a given sequence .......................................................... 345
      Section 36.14: Getting a char at specific index and enumerating the string ....................................................... 345
      Section 36.15: Joining an array of strings into a new one .................................................................................... 346
      Section 36.16: Replacing a string within a string .................................................................................................... 346
      Section 36.17: Changing the case of characters within a String ........................................................................... 346
      Section 36.18: Concatenate an array of strings into a single string .................................................................... 347
      Section 36.19: String Concatenation ........................................................................................................................ 347
Chapter 37: Expression Trees ............................................................................................................................. 348
      Section 37.1: Create Expression Trees with a lambda expression ........................................................................ 348
      Section 37.2: Creating Expression Trees by Using the API ................................................................................... 348
      Section 37.3: Compiling Expression Trees .............................................................................................................. 348
      Section 37.4: Parsing Expression Trees ................................................................................................................... 349
      Section 37.5: Expression Tree Basic ........................................................................................................................ 349
      Section 37.6: Examining the Structure of an Expression using Visitor ................................................................. 350
      Section 37.7: Understanding the expressions API .................................................................................................. 350
Chapter 38: Overload Resolution ..................................................................................................................... 352
      Section 38.1: Basic Overloading Example ............................................................................................................... 352
      Section 38.2: "params" is not expanded, unless necessary .................................................................................. 352
      Section 38.3: Passing null as one of the arguments .............................................................................................. 353
Chapter 39: String.Format ................................................................................................................................... 354
      Section 39.1: Since C# 6.0 .......................................................................................................................................... 354
      Section 39.2: Places where String.Format is 'embedded' in the framework ....................................................... 354
      Section 39.3: Create a custom format provider ..................................................................................................... 354
      Section 39.4: Date Formatting ................................................................................................................................. 355
      Section 39.5: Currency Formatting .......................................................................................................................... 356
      Section 39.6: Using custom number format ........................................................................................................... 357
      Section 39.7: Align left/ right, pad with spaces ...................................................................................................... 357
      Section 39.8: Numeric formats ................................................................................................................................ 358
      Section 39.9: ToString() ............................................................................................................................................ 358
      Section 39.10: Escaping curly brackets inside a String.Format() expression ...................................................... 359
      Section 39.11: Relationship with ToString() .............................................................................................................. 359
Chapter 40: nameof Operator .......................................................................................................................... 360
      Section 40.1: Basic usage: Printing a variable name ............................................................................................. 360
      Section 40.2: Raising PropertyChanged event ...................................................................................................... 360
      Section 40.3: Argument Checking and Guard Clauses .......................................................................................... 361
      Section 40.4: Strongly typed MVC action links ...................................................................................................... 361
      Section 40.5: Handling PropertyChanged events .................................................................................................. 362
      Section 40.6: Applied to a generic type parameter .............................................................................................. 362
      Section 40.7: Printing a parameter name ............................................................................................................... 363
      Section 40.8: Applied to qualified identifiers .......................................................................................................... 363
Chapter 41: Unsafe Code in .NET ...................................................................................................................... 364
      Section 41.1: Using unsafe with arrays .................................................................................................................... 364
      Section 41.2: Using unsafe with strings ................................................................................................................... 364
      Section 41.3: Unsafe Array Index ............................................................................................................................. 365
Chapter 42: Initializing Properties ................................................................................................................... 366
      Section 42.1: C# 6.0: Initialize an Auto-Implemented Property ............................................................................. 366
      Section 42.2: Initializing Property with a Backing Field ......................................................................................... 366
      Section 42.3: Property Initialization during object instantiation ........................................................................... 366
      Section 42.4: Initializing Property in Constructor ................................................................................................... 366
Chapter 43: BindingList<T> ................................................................................................................................. 367
      Section 43.1: Add item to list ..................................................................................................................................... 367
      Section 43.2: Avoiding N*2 iteration ........................................................................................................................ 367
Chapter 44: ILGenerator ...................................................................................................................................... 368
      Section 44.1: Creates a DynamicAssembly that contains a UnixTimestamp helper method ........................... 368
      Section 44.2: Create method override .................................................................................................................... 369
Chapter 45: Object initializers ........................................................................................................................... 371
      Section 45.1: Simple usage ....................................................................................................................................... 371
      Section 45.2: Usage with non-default constructors .............................................................................................. 371
      Section 45.3: Usage with anonymous types .......................................................................................................... 371
Chapter 46: XML Documentation Comments ............................................................................................ 373
      Section 46.1: Simple method annotation ................................................................................................................. 373
      Section 46.2: Generating XML from documentation comments .......................................................................... 373
      Section 46.3: Method documentation comment with param and returns elements ......................................... 375
      Section 46.4: Interface and class documentation comments .............................................................................. 375
      Section 46.5: Referencing another class in documentation ................................................................................. 376
Chapter 47: Preprocessor directives ............................................................................................................. 377
      Section 47.1: Conditional Expressions ...................................................................................................................... 377
      Section 47.2: Other Compiler Instructions .............................................................................................................. 377
      Section 47.3: Defining and Undefining Symbols .................................................................................................... 378
      Section 47.4: Region Blocks ..................................................................................................................................... 379
      Section 47.5: Disabling and Restoring Compiler Warnings .................................................................................. 379
      Section 47.6: Generating Compiler Warnings and Errors ..................................................................................... 379
      Section 47.7: Custom Preprocessors at project level ............................................................................................ 380
      Section 47.8: Using the Conditional attribute ......................................................................................................... 380
Chapter 48: Dynamic type .................................................................................................................................. 382
      Section 48.1: Creating a dynamic object with properties ...................................................................................... 382
      Section 48.2: Creating a dynamic variable ............................................................................................................ 382
      Section 48.3: Returning dynamic ............................................................................................................................. 382
      Section 48.4: Handling Specific Types Unknown at Compile Time ...................................................................... 382
Chapter 49: Anonymous types .......................................................................................................................... 384
      Section 49.1: Anonymous vs dynamic ..................................................................................................................... 384
      Section 49.2: Creating an anonymous type ........................................................................................................... 384
      Section 49.3: Anonymous type equality ................................................................................................................. 384
      Section 49.4: Generic methods with anonymous types ........................................................................................ 385
      Section 49.5: Instantiating generic types with anonymous types ........................................................................ 385
      Section 49.6: Implicitly typed arrays ....................................................................................................................... 385
Chapter 50: Structs ................................................................................................................................................. 387
      Section 50.1: Declaring a struct ................................................................................................................................ 387
      Section 50.2: Struct usage ........................................................................................................................................ 388
      Section 50.3: Structs are copied on assignment .................................................................................................... 389
      Section 50.4: Struct implementing interface .......................................................................................................... 389
Chapter 51: Tuples .................................................................................................................................................... 390
      Section 51.1: Accessing tuple elements .................................................................................................................... 390
      Section 51.2: Creating tuples .................................................................................................................................... 390
      Section 51.3: Comparing and sorting Tuples .......................................................................................................... 390
      Section 51.4: Return multiple values from a method ............................................................................................. 391
Chapter 52: Enum ..................................................................................................................................................... 392
      Section 52.1: Enum basics ......................................................................................................................................... 392
      Section 52.2: Enum as flags ..................................................................................................................................... 393
      Section 52.3: Using << notation for flags ................................................................................................................ 395
      Section 52.4: Test flags-style enum values with bitwise logic .............................................................................. 395
      Section 52.5: Add and remove values from flagged enum .................................................................................. 396
      Section 52.6: Enum to string and back ................................................................................................................... 396
      Section 52.7: Enums can have unexpected values ................................................................................................ 397
      Section 52.8: Default value for enum == ZERO ...................................................................................................... 397
      Section 52.9: Adding additional description information to an enum value ....................................................... 398
      Section 52.10: Get all the members values of an enum ........................................................................................ 399
      Section 52.11: Bitwise Manipulation using enums ................................................................................................... 399
Chapter 53: Access Modifiers ............................................................................................................................. 400
      Section 53.1: Access Modifiers Diagrams ................................................................................................................ 400
      Section 53.2: public ................................................................................................................................................... 401
      Section 53.3: private .................................................................................................................................................. 401
      Section 53.4: protected internal ............................................................................................................................... 402
      Section 53.5: internal ................................................................................................................................................. 403
      Section 53.6: protected ............................................................................................................................................. 404
Chapter 54: Task Parallel Library ................................................................................................................... 405
      Section 54.1: Parallel.ForEach ................................................................................................................................... 405
      Section 54.2: Parallel.For .......................................................................................................................................... 405
      Section 54.3: Parallel.Invoke ..................................................................................................................................... 406
Chapter 55: Attributes ........................................................................................................................................... 407
      Section 55.1: Creating a custom attribute ............................................................................................................... 407
      Section 55.2: Reading an attribute .......................................................................................................................... 407
      Section 55.3: Using an attribute ............................................................................................................................... 408
      Section 55.4: DebuggerDisplay Attribute ............................................................................................................... 408
      Section 55.5: Caller info attributes ........................................................................................................................... 409
      Section 55.6: Obsolete Attribute .............................................................................................................................. 410
      Section 55.7: Reading an attribute from interface ................................................................................................ 410
Chapter 56: Guid ....................................................................................................................................................... 412
      Section 56.1: Getting the string representation of a Guid ...................................................................................... 412
      Section 56.2: Creating a Guid ................................................................................................................................... 412
      Section 56.3: Declaring a nullable GUID ................................................................................................................. 412
Chapter 57: Singleton Implementation ......................................................................................................... 414
      Section 57.1: Statically Initialized Singleton ............................................................................................................. 414
      Section 57.2: Lazy, thread-safe Singleton (using Lazy<T>) .................................................................................. 414
      Section 57.3: Lazy, thread-safe Singleton (using Double Checked Locking) ...................................................... 414
      Section 57.4: Lazy, thread safe singleton (for .NET 3.5 or older, alternate implementation) ........................... 415
Chapter 58: Delegates ........................................................................................................................................... 417
      Section 58.1: Declaring a delegate type ................................................................................................................. 417
      Section 58.2: The Func<T, TResult>, Action<T> and Predicate<T> delegate types ............................................ 418
      Section 58.3: Combine Delegates (Multicast Delegates) ...................................................................................... 419
      Section 58.4: Safe invoke multicast delegate ........................................................................................................ 420
      Section 58.5: Delegate Equality ............................................................................................................................... 421
      Section 58.6: Underlying references of named method delegates ..................................................................... 421
      Section 58.7: Assigning a named method to a delegate ...................................................................................... 422
      Section 58.8: Assigning to a delegate by lambda ................................................................................................. 423
      Section 58.9: Encapsulating transformations in funcs .......................................................................................... 423
      Section 58.10: Passing delegates as parameters .................................................................................................. 423
      Section 58.11: Closure inside a delegate .................................................................................................................. 424
Chapter 59: Nullable types .................................................................................................................................. 425
      Section 59.1: Initialising a nullable ............................................................................................................................ 425
      Section 59.2: Check if a Nullable has a value ......................................................................................................... 425
      Section 59.3: Get the value of a nullable type ........................................................................................................ 425
      Section 59.4: Getting a default value from a nullable ........................................................................................... 426
      Section 59.5: Default value of nullable types is null .............................................................................................. 426
      Section 59.6: Eective usage of underlying Nullable<T> argument .................................................................... 427
      Section 59.7: Check if a generic type parameter is a nullable type .................................................................... 428
Chapter 60: Garbage Collector in .Net .......................................................................................................... 429
      Section 60.1: Weak References ................................................................................................................................ 429
      Section 60.2: Large Object Heap compaction ....................................................................................................... 430
Chapter 61: Networking ......................................................................................................................................... 431
      Section 61.1: Basic TCP Communication Client ....................................................................................................... 431
      Section 61.2: Download a file from a web server ................................................................................................... 431
      Section 61.3: Async TCP Client .................................................................................................................................. 432
      Section 61.4: Basic UDP Client .................................................................................................................................. 433
Chapter 62: Arrays ................................................................................................................................................... 434
      Section 62.1: Declaring an array .............................................................................................................................. 434
      Section 62.2: Initializing an array filled with a repeated non-default value ....................................................... 434
      Section 62.3: Copying arrays ................................................................................................................................... 435
      Section 62.4: Comparing arrays for equality ......................................................................................................... 435
      Section 62.5: Multi-dimensional arrays ................................................................................................................... 436
      Section 62.6: Getting and setting array values ...................................................................................................... 436
      Section 62.7: Iterate over an array .......................................................................................................................... 436
      Section 62.8: Creating an array of sequential numbers ....................................................................................... 437
      Section 62.9: Jagged arrays .................................................................................................................................... 437
      Section 62.10: Array covariance .............................................................................................................................. 439
      Section 62.11: Arrays as IEnumerable<> instances ................................................................................................. 439
      Section 62.12: Checking if one array contains another array .............................................................................. 439
Chapter 63: Equality Operator .......................................................................................................................... 441
      Section 63.1: Equality kinds in c# and equality operator ...................................................................................... 441
Chapter 64: Lock Statement .............................................................................................................................. 442
      Section 64.1: Throwing exception in a lock statement ........................................................................................... 442
      Section 64.2: Simple usage ...................................................................................................................................... 442
      Section 64.3: Return in a lock statement ................................................................................................................ 443
      Section 64.4: Anti-Patterns and gotchas ................................................................................................................ 443
      Section 64.5: Using instances of Object for lock .................................................................................................... 447
Chapter 65: Action Filters ..................................................................................................................................... 448
      Section 65.1: Custom Action Filters .......................................................................................................................... 448
Chapter 66: XmlDocument and the System.Xml namespace ............................................................ 449
      Section 66.1: XmlDocument vs XDocument (Example and comparison) ............................................................ 449
      Section 66.2: Reading from XML document ........................................................................................................... 451
      Section 66.3: Basic XML document interaction ...................................................................................................... 452
Chapter 67: DateTime Methods ........................................................................................................................ 453
      Section 67.1: DateTime Formatting ......................................................................................................................... 453
      Section 67.2: DateTime.AddDays(Double) ............................................................................................................. 454
      Section 67.3: DateTime.AddHours(Double) ............................................................................................................ 454
      Section 67.4: DateTime.Parse(String) ..................................................................................................................... 454
      Section 67.5: DateTime.TryParse(String, DateTime) ............................................................................................. 454
      Section 67.6: DateTime.AddMilliseconds(Double) .................................................................................................. 455
      Section 67.7: DateTime.Compare(DateTime t1, DateTime t2 ) ............................................................................. 455
      Section 67.8: DateTime.DaysInMonth(Int32, Int32) ............................................................................................... 455
      Section 67.9: DateTime.AddYears(Int32) ................................................................................................................ 456
      Section 67.10: Pure functions warning when dealing with DateTime ................................................................... 456
      Section 67.11: DateTime.TryParseExact(String, String, IFormatProvider, DateTimeStyles, DateTime)
           ............................................................................................................................................................................. 456
      Section 67.12: DateTime.Add(TimeSpan) ................................................................................................................ 458
      Section 67.13: Parse and TryParse with culture info .............................................................................................. 458
      Section 67.14: DateTime as initializer in for-loop ................................................................................................... 459
      Section 67.15: DateTime.ParseExact(String, String, IFormatProvider) ............................................................... 459
      Section 67.16: DateTime ToString, ToShortDateString, ToLongDateString and ToString formatted ............... 460
      Section 67.17: Current Date ...................................................................................................................................... 460
Chapter 68: BackgroundWorker ....................................................................................................................... 461
      Section 68.1: Using a BackgroundWorker to complete a task ............................................................................. 461
      Section 68.2: Assigning Event Handlers to a BackgroundWorker ....................................................................... 462
      Section 68.3: Creating a new BackgroundWorker instance ................................................................................. 463
      Section 68.4: Assigning Properties to a BackgroundWorker ............................................................................... 463
Chapter 69: Polymorphism .................................................................................................................................. 464
      Section 69.1: Types of Polymorphism ..................................................................................................................... 464
      Section 69.2: Another Polymorphism Example ...................................................................................................... 465
Chapter 70: Indexer ................................................................................................................................................. 468
      Section 70.1: A simple indexer .................................................................................................................................. 468
      Section 70.2: Overloading the indexer to create a SparseArray ......................................................................... 468
      Section 70.3: Indexer with 2 arguments and interface .......................................................................................... 469
Chapter 71: IDisposable interface .................................................................................................................... 470
      Section 71.1: In a class that contains only managed resources ............................................................................ 470
      Section 71.2: In a class with managed and unmanaged resources ..................................................................... 470
      Section 71.3: IDisposable, Dispose ........................................................................................................................... 471
      Section 71.4: using keyword ..................................................................................................................................... 471
      Section 71.5: In an inherited class with managed resources ................................................................................. 472
Chapter 72: Aliases of built-in types ............................................................................................................... 473
      Section 72.1: Built-In Types Table ............................................................................................................................ 473
Chapter 73: Immutability ...................................................................................................................................... 474
      Section 73.1: System.String class .............................................................................................................................. 474
      Section 73.2: Strings and immutability .................................................................................................................... 474
Chapter 74: XDocument and the System.Xml.Linq namespace ...................................................... 475
      Section 74.1: Generate an XML document .............................................................................................................. 475
      Section 74.2: Generate an XML document using fluent syntax ............................................................................ 475
      Section 74.3: Modify XML File ................................................................................................................................... 476
Chapter 75: Performing HTTP requests ....................................................................................................... 478
      Section 75.1: Creating and sending an HTTP POST request ................................................................................. 478
      Section 75.2: Creating and sending an HTTP GET request .................................................................................. 478
      Section 75.3: Error handling of specific HTTP response codes (such as 404 Not Found) ................................ 479
      Section 75.4: Retrieve HTML for Web Page (Simple) ............................................................................................ 479
      Section 75.5: Sending asynchronous HTTP POST request with JSON body ...................................................... 479
Chapter 76: Generating Random Numbers in C# .................................................................................... 481
      Section 76.1: Generate a random int ....................................................................................................................... 481
      Section 76.2: Generate a random int in a given range ......................................................................................... 481
      Section 76.3: Generating the same sequence of random numbers over and over again ................................ 481
      Section 76.4: Create multiple random class with dierent seeds simultaneously ............................................. 482
      Section 76.5: Generate a Random double .............................................................................................................. 482
      Section 76.6: Generate a random character .......................................................................................................... 482
      Section 76.7: Generate a number that is a percentage of a max value ............................................................. 482
Chapter 77: Looping ................................................................................................................................................ 484
      Section 77.1: For Loop ............................................................................................................................................... 484
      Section 77.2: Do - While Loop .................................................................................................................................. 485
      Section 77.3: Foreach Loop ...................................................................................................................................... 485
      Section 77.4: Looping styles ..................................................................................................................................... 486
      Section 77.5: Nested loops ....................................................................................................................................... 487
      Section 77.6: continue ............................................................................................................................................... 487
      Section 77.7: While loop ............................................................................................................................................ 488
      Section 77.8: break .................................................................................................................................................... 488
Chapter 78: Named Arguments ........................................................................................................................ 490
      Section 78.1: Argument order is not necessary ...................................................................................................... 490
      Section 78.2: Named arguments and optional parameters ................................................................................. 490
      Section 78.3: Named Arguments can make your code more clear .................................................................... 490
Chapter 79: Diagnostics ........................................................................................................................................ 492
      Section 79.1: Redirecting log output with TraceListeners ...................................................................................... 492
      Section 79.2: Debug.WriteLine ................................................................................................................................. 492
Chapter 80: Interfaces ........................................................................................................................................... 493
      Section 80.1: Implementing an interface ................................................................................................................. 493
      Section 80.2: Explicit interface implementation ..................................................................................................... 493
      Section 80.3: Interface Basics .................................................................................................................................. 495
      Section 80.4: IComparable<T> as an Example of Implementing an Interface ................................................... 497
      Section 80.5: Implementing multiple interfaces ..................................................................................................... 498
      Section 80.6: Why we use interfaces ...................................................................................................................... 498
      Section 80.7: "Hiding" members with Explicit Implementation ............................................................................. 499
Chapter 81: IEnumerable ....................................................................................................................................... 501
      Section 81.1: IEnumerable with custom Enumerator .............................................................................................. 501
      Section 81.2: IEnumerable<int> ................................................................................................................................ 502
Chapter 82: Naming Conventions .................................................................................................................... 503
      Section 82.1: Capitalization conventions ................................................................................................................. 503
      Section 82.2: Enums .................................................................................................................................................. 504
      Section 82.3: Interfaces ............................................................................................................................................ 504
      Section 82.4: Exceptions ........................................................................................................................................... 504
      Section 82.5: Private fields ....................................................................................................................................... 505
      Section 82.6: Namespaces ....................................................................................................................................... 505
Chapter 83: Checked and Unchecked ............................................................................................................ 506
      Section 83.1: Checked and Unchecked .................................................................................................................... 506
      Section 83.2: Checked and Unchecked as a scope ............................................................................................... 506
Chapter 84: Recursion ........................................................................................................................................... 507
      Section 84.1: Recursion in plain English ................................................................................................................... 507
      Section 84.2: Fibonacci Sequence ........................................................................................................................... 507
      Section 84.3: PowerOf calculation ........................................................................................................................... 508
      Section 84.4: Recursively describe an object structure ........................................................................................ 508
      Section 84.5: Using Recursion to Get Directory Tree ............................................................................................ 509
      Section 84.6: Factorial calculation ........................................................................................................................... 512
Chapter 85: Functional Programming ........................................................................................................... 513
      Section 85.1: Func and Action .................................................................................................................................. 513
      Section 85.2: Higher-Order Functions ..................................................................................................................... 513
      Section 85.3: Avoid Null References ........................................................................................................................ 513
      Section 85.4: Immutability ........................................................................................................................................ 515
      Section 85.5: Immutable collections ........................................................................................................................ 516
Chapter 86: Literals ................................................................................................................................................. 517
      Section 86.1: uint literals ............................................................................................................................................ 517
      Section 86.2: int literals ............................................................................................................................................. 517
      Section 86.3: sbyte literals ........................................................................................................................................ 517
      Section 86.4: decimal literals .................................................................................................................................... 517
      Section 86.5: double literals ..................................................................................................................................... 517
      Section 86.6: float literals ......................................................................................................................................... 517
      Section 86.7: long literals .......................................................................................................................................... 517
      Section 86.8: ulong literal ......................................................................................................................................... 517
      Section 86.9: string literals ....................................................................................................................................... 518
      Section 86.10: char literals ........................................................................................................................................ 518
      Section 86.11: byte literals ......................................................................................................................................... 518
      Section 86.12: short literal ......................................................................................................................................... 518
      Section 86.13: ushort literal ....................................................................................................................................... 518
      Section 86.14: bool literals ........................................................................................................................................ 518
Chapter 87: Casting ................................................................................................................................................. 519
      Section 87.1: Checking compatibility without casting ............................................................................................ 519
      Section 87.2: Cast an object to a base type ........................................................................................................... 519
      Section 87.3: Conversion Operators ........................................................................................................................ 519
      Section 87.4: LINQ Casting operations ................................................................................................................... 521
      Section 87.5: Explicit Casting .................................................................................................................................... 521
      Section 87.6: Safe Explicit Casting (`as` operator) ................................................................................................. 521
      Section 87.7: Implicit Casting ................................................................................................................................... 522
      Section 87.8: Explicit Numeric Conversions ............................................................................................................ 522
Chapter 88: NullReferenceException ............................................................................................................. 523
      Section 88.1: NullReferenceException explained .................................................................................................... 523
Chapter 89: Func delegates ................................................................................................................................ 524
      Section 89.1: Without parameters ............................................................................................................................ 524
      Section 89.2: With multiple variables ...................................................................................................................... 524
      Section 89.3: Lambda & anonymous methods ...................................................................................................... 525
      Section 89.4: Covariant & Contravariant Type Parameters ................................................................................. 525
Chapter 90: LINQ to XML ...................................................................................................................................... 527
      Section 90.1: Read XML using LINQ to XML ............................................................................................................ 527
Chapter 91: Hash Functions ................................................................................................................................. 529
      Section 91.1: PBKDF2 for Password Hashing .......................................................................................................... 529
      Section 91.2: Complete Password Hashing Solution using Pbkdf2 ...................................................................... 529
      Section 91.3: MD5 ....................................................................................................................................................... 533
      Section 91.4: SHA1 ...................................................................................................................................................... 533
      Section 91.5: SHA256 ................................................................................................................................................. 534
      Section 91.6: SHA384 ................................................................................................................................................. 534
      Section 91.7: SHA512 .................................................................................................................................................. 535
Chapter 92: Handling FormatException when converting string to other types .................... 536
      Section 92.1: Converting string to integer ............................................................................................................... 536
Chapter 93: Cryptography (System.Security.Cryptography) ............................................................ 538
      Section 93.1: Modern Examples of Symmetric Authenticated Encryption of a string ........................................ 538
      Section 93.2: Introduction to Symmetric and Asymmetric Encryption ................................................................ 549
      Section 93.3: Simple Symmetric File Encryption .................................................................................................... 550
      Section 93.4: Cryptographically Secure Random Data ........................................................................................ 551
      Section 93.5: Password Hashing .............................................................................................................................. 552
      Section 93.6: Fast Asymmetric File Encryption ...................................................................................................... 552
Chapter 94: INotifyPropertyChanged interface ...................................................................................... 557
      Section 94.1: Implementing INotifyPropertyChanged in C# 6 .............................................................................. 557
      Section 94.2: INotifyPropertyChanged With Generic Set Method ........................................................................ 558
Chapter 95: Value type vs Reference type ................................................................................................. 560
      Section 95.1: Passing by reference using ref keyword .......................................................................................... 560
      Section 95.2: Changing values elsewhere .............................................................................................................. 561
      Section 95.3: ref vs out parameters ........................................................................................................................ 562
      Section 95.4: Assignment ......................................................................................................................................... 563
      Section 95.5: Dierence with method parameters ref and out ............................................................................ 563
      Section 95.6: Passing by reference ......................................................................................................................... 564
Chapter 96: IQueryable interface .................................................................................................................... 565
      Section 96.1: Translating a LINQ query to a SQL query ........................................................................................ 565
Chapter 97: Task Parallel Library (TPL) Dataflow Constructs .......................................................... 566
      Section 97.1: ActionBlock<T> .................................................................................................................................... 566
      Section 97.2: BroadcastBlock<T> ............................................................................................................................ 566
      Section 97.3: BuerBlock<T> ................................................................................................................................... 567
      Section 97.4: JoinBlock<T1, T2,…> ............................................................................................................................ 568
      Section 97.5: WriteOnceBlock<T> ............................................................................................................................ 569
      Section 97.6: BatchedJoinBlock<T1, T2,…> .............................................................................................................. 570
      Section 97.7: TransformBlock<TInput, TOutput> ................................................................................................... 571
      Section 97.8: TransformManyBlock<TInput, TOutput> ......................................................................................... 571
      Section 97.9: BatchBlock<T> .................................................................................................................................... 572
Chapter 98: Stream ................................................................................................................................................. 574
      Section 98.1: Using Streams ..................................................................................................................................... 574
Chapter 99: Runtime Compile ............................................................................................................................ 576
      Section 99.1: RoslynScript ......................................................................................................................................... 576
      Section 99.2: CSharpCodeProvider ......................................................................................................................... 576
Chapter 100: Conditional Statements ............................................................................................................ 577
      Section 100.1: If-Else Statement ............................................................................................................................... 577
      Section 100.2: If statement conditions are standard boolean expressions and values ..................................... 577
      Section 100.3: If-Else If-Else Statement ................................................................................................................... 578
Chapter 101: Interoperability .............................................................................................................................. 579
      Section 101.1: Import function from unmanaged C++ DLL .................................................................................... 579
      Section 101.2: Calling conventions ........................................................................................................................... 579
      Section 101.3: C++ name mangling .......................................................................................................................... 580
      Section 101.4: Dynamic loading and unloading of unmanaged DLLs ................................................................. 580
      Section 101.5: Reading structures with Marshal ..................................................................................................... 581
      Section 101.6: Dealing with Win32 Errors ................................................................................................................. 582
      Section 101.7: Pinned Object ..................................................................................................................................... 583
      Section 101.8: Simple code to expose class for com .............................................................................................. 584
Chapter 102: Overflow ............................................................................................................................................ 586
      Section 102.1: Integer overflow ................................................................................................................................. 586
      Section 102.2: Overflow during operation .............................................................................................................. 586
      Section 102.3: Ordering matters .............................................................................................................................. 586
Chapter 103: Equals and GetHashCode ......................................................................................................... 587
      Section 103.1: Writing a good GetHashCode override ........................................................................................... 587
      Section 103.2: Default Equals behavior ................................................................................................................... 587
      Section 103.3: Override Equals and GetHashCode on custom types ................................................................... 588
      Section 103.4: Equals and GetHashCode in IEqualityComparator ....................................................................... 589
Chapter 104: Type Conversion .......................................................................................................................... 591
      Section 104.1: Explicit Type Conversion ................................................................................................................... 591
      Section 104.2: MSDN implicit operator example .................................................................................................... 591
Chapter 105: Parallel LINQ (PLINQ) ................................................................................................................. 593
      Section 105.1: Simple example .................................................................................................................................. 593
      Section 105.2: WithDegreeOfParallelism ................................................................................................................. 593
      Section 105.3: AsOrdered .......................................................................................................................................... 593
      Section 105.4: AsUnordered ..................................................................................................................................... 593
Chapter 106: String Manipulation ..................................................................................................................... 594
      Section 106.1: Replacing a string within a string ..................................................................................................... 594
      Section 106.2: Finding a string within a string ........................................................................................................ 594
      Section 106.3: Removing (Trimming) white-space from a string ......................................................................... 594
      Section 106.4: Splitting a string using a delimiter ................................................................................................... 595
      Section 106.5: Concatenate an array of strings into a single string .................................................................... 595
      Section 106.6: String Concatenation ........................................................................................................................ 595
      Section 106.7: Changing the case of characters within a String ........................................................................... 595
Chapter 107: String Concatenate ..................................................................................................................... 597
      Section 107.1: + Operator .......................................................................................................................................... 597
      Section 107.2: Concatenate strings using System.Text.StringBuilder .................................................................. 597
      Section 107.3: Concat string array elements using String.Join ............................................................................. 597
      Section 107.4: Concatenation of two strings using $ ............................................................................................. 598
Chapter 108: Partial class and methods ....................................................................................................... 599
      Section 108.1: Partial classes .................................................................................................................................... 599
      Section 108.2: Partial classes inheriting from a base class ................................................................................... 599
      Section 108.3: Partial methods ................................................................................................................................. 600
Chapter 109: Stopwatches ................................................................................................................................... 601
      Section 109.1: IsHighResolution ................................................................................................................................ 601
      Section 109.2: Creating an Instance of a Stopwatch ............................................................................................. 601
Chapter 110: Regex Parsing ................................................................................................................................. 603
      Section 110.1: Single match ....................................................................................................................................... 603
      Section 110.2: Multiple matches ................................................................................................................................ 603
Chapter 111: C# Script ............................................................................................................................................. 604
      Section 111.1: Simple code evaluation ....................................................................................................................... 604
Chapter 112: Async/await, Backgroundworker, Task and Thread Examples ............................ 605
      Section 112.1: ASP.NET Configure Await ................................................................................................................... 605
      Section 112.2: Task "run and forget" extension ...................................................................................................... 607
      Section 112.3: Async/await ....................................................................................................................................... 607
      Section 112.4: BackgroundWorker ........................................................................................................................... 608
      Section 112.5: Task ..................................................................................................................................................... 609
      Section 112.6: Thread ................................................................................................................................................. 610
Chapter 113: Timers .................................................................................................................................................. 611
      Section 113.1: Multithreaded Timers ......................................................................................................................... 611
      Section 113.2: Creating an Instance of a Timer ...................................................................................................... 612
      Section 113.3: Assigning the "Tick" event handler to a Timer ................................................................................ 613
      Section 113.4: Example: Using a Timer to perform a simple countdown ............................................................. 613
Chapter 114: Function with multiple return values .................................................................................. 615
      Section 114.1: "anonymous object" + "dynamic keyword" solution ...................................................................... 615
      Section 114.2: Tuple solution ..................................................................................................................................... 615
      Section 114.3: Ref and Out Parameters ................................................................................................................... 615
Chapter 115: Binary Serialization ...................................................................................................................... 617
      Section 115.1: Controlling serialization behavior with attributes ............................................................................ 617
      Section 115.2: Serialization Binder ............................................................................................................................ 617
      Section 115.3: Some gotchas in backward compatibility ....................................................................................... 619
      Section 115.4: Making an object serializable ........................................................................................................... 621
      Section 115.5: Serialization surrogates (Implementing ISerializationSurrogate) ................................................. 622
      Section 115.6: Adding more control by implementing ISerializable ...................................................................... 624
Chapter 116: Making a variable thread safe ............................................................................................... 626
      Section 116.1: Controlling access to a variable in a Parallel.For loop ................................................................... 626
Chapter 117: IComparable .................................................................................................................................... 627
      Section 117.1: Sort versions ........................................................................................................................................ 627
Chapter 118: Code Contracts ............................................................................................................................... 629
      Section 118.1: Postconditions ..................................................................................................................................... 629
      Section 118.2: Invariants ............................................................................................................................................ 629
      Section 118.3: Defining Contracts on Interface ....................................................................................................... 630
      Section 118.4: Preconditions ...................................................................................................................................... 631
Chapter 119: Iterators ............................................................................................................................................. 633
      Section 119.1: Creating Iterators Using Yield ............................................................................................................ 633
      Section 119.2: Simple Numeric Iterator Example .................................................................................................... 634
Chapter 120: AssemblyInfo.cs Examples ....................................................................................................... 635
      Section 120.1: Global and local AssemblyInfo ......................................................................................................... 635
      Section 120.2: [AssemblyVersion] ........................................................................................................................... 635
      Section 120.3: Automated versioning ...................................................................................................................... 636
      Section 120.4: Common fields .................................................................................................................................. 636
      Section 120.5: [AssemblyTitle] ................................................................................................................................. 636
      Section 120.6: [AssemblyProduct] ........................................................................................................................... 636
      Section 120.7: [InternalsVisibleTo] ........................................................................................................................... 636
      Section 120.8: [AssemblyConfiguration] ................................................................................................................. 637
      Section 120.9: [AssemblyKeyFile] ............................................................................................................................ 637
      Section 120.10: Reading Assembly Attributes ......................................................................................................... 637
Chapter 121: File and Stream I/O ...................................................................................................................... 639
      Section 121.1: Reading from a file using the System.IO.File class ......................................................................... 639
      Section 121.2: Lazily reading a file line-by-line via an IEnumerable ..................................................................... 639
      Section 121.3: Async write text to a file using StreamWriter ................................................................................. 639
      Section 121.4: Copy File ............................................................................................................................................. 639
      Section 121.5: Writing lines to a file using the System.IO.StreamWriter class ..................................................... 640
      Section 121.6: Writing to a file using the System.IO.File class ................................................................................ 640
      Section 121.7: Create File ........................................................................................................................................... 641
      Section 121.8: Move File ............................................................................................................................................. 641
      Section 121.9: Delete File ........................................................................................................................................... 642
      Section 121.10: Files and Directories ......................................................................................................................... 642
Chapter 122: Code Contracts and Assertions ............................................................................................. 643
      Section 122.1: Assertions to check logic should always be true ............................................................................ 643
Chapter 123: Caching ............................................................................................................................................... 644
      Section 123.1: MemoryCache .................................................................................................................................... 644
Chapter 124: Implementing Flyweight Design Pattern ......................................................................... 645
      Section 124.1: Implementing map in RPG game ..................................................................................................... 645
Chapter 125: StringBuilder ................................................................................................................................... 648
      Section 125.1: What a StringBuilder is and when to use one ................................................................................. 648
      Section 125.2: Use StringBuilder to create string from a large number of records ........................................... 649
Chapter 126: Implementing Decorator Design Pattern ......................................................................... 650
      Section 126.1: Simulating cafeteria ........................................................................................................................... 650
Chapter 127: Accessing Databases .................................................................................................................. 652
      Section 127.1: Connection Strings ............................................................................................................................. 652
      Section 127.2: Entity Framework Connections ....................................................................................................... 652
      Section 127.3: ADO.NET Connections ...................................................................................................................... 653
Chapter 128: T4 Code Generation .................................................................................................................... 656
      Section 128.1: Runtime Code Generation ................................................................................................................ 656
Chapter 129: Microsoft.Exchange.WebServices ......................................................................................... 657
      Section 129.1: Retrieve Specified User's Out of Oce Settings ............................................................................. 657
      Section 129.2: Update Specific User's Out of Oce Settings ................................................................................ 657
Chapter 130: .NET Compiler Platform (Roslyn) ......................................................................................... 659
      Section 130.1: Semantic model ................................................................................................................................. 659
      Section 130.2: Syntax tree ......................................................................................................................................... 659
      Section 130.3: Create workspace from MSBuild project ........................................................................................ 660
Chapter 131: Data Annotation ............................................................................................................................. 661
      Section 131.1: Data Annotation Basics ...................................................................................................................... 661
      Section 131.2: Creating a custom validation attribute ............................................................................................ 661
      Section 131.3: Manually Execute Validation Attributes ........................................................................................... 662
      Section 131.4: Validation Attributes .......................................................................................................................... 662
      Section 131.5: EditableAttribute (data modeling attribute) ................................................................................... 664
Chapter 132: Using SQLite in C# ........................................................................................................................ 666
      Section 132.1: Creating simple CRUD using SQLite in C# ...................................................................................... 666
      Section 132.2: Executing Query ................................................................................................................................ 669
Chapter 133: System.Management.Automation ....................................................................................... 671
      Section 133.1: Invoke simple synchronous pipeline ................................................................................................ 671
Chapter 134: FileSystemWatcher ..................................................................................................................... 672
      Section 134.1: IsFileReady ......................................................................................................................................... 672
      Section 134.2: Basic FileWatcher .............................................................................................................................. 672
Chapter 135: System.DirectoryServices.Protocols.LdapConnection .............................................. 674
      Section 135.1: Authenticated SSL LDAP connection, SSL cert does not match reverse DNS ............................. 674
      Section 135.2: Super Simple anonymous LDAP ...................................................................................................... 675
Chapter 136: Named and Optional Arguments ......................................................................................... 676
      Section 136.1: Optional Arguments ........................................................................................................................... 676
      Section 136.2: Named Arguments ............................................................................................................................ 677
Chapter 137: Comments and regions ............................................................................................................. 680
      Section 137.1: Comments ........................................................................................................................................... 680
      Section 137.2: Regions ............................................................................................................................................... 680
      Section 137.3: Documentation comments ............................................................................................................... 681
Chapter 138: C# Authentication handler ....................................................................................................... 683
      Section 138.1: Authentication handler ...................................................................................................................... 683
Chapter 139: Pointers & Unsafe Code ............................................................................................................. 685
      Section 139.1: Introduction to unsafe code .............................................................................................................. 685
      Section 139.2: Accessing Array Elements Using a Pointer .................................................................................... 686
      Section 139.3: Compiling Unsafe Code .................................................................................................................... 686
      Section 139.4: Retrieving the Data Value Using a Pointer ..................................................................................... 687
      Section 139.5: Passing Pointers as Parameters to Methods ................................................................................. 688
Chapter 140: Pointers ............................................................................................................................................. 689
      Section 140.1: Pointers for array access .................................................................................................................. 689
      Section 140.2: Pointer arithmetic ............................................................................................................................. 689
      Section 140.3: The asterisk is part of the type ........................................................................................................ 690
      Section 140.4: void* .................................................................................................................................................... 690
      Section 140.5: Member access using -> .................................................................................................................. 690
      Section 140.6: Generic pointers ................................................................................................................................ 691
Chapter 141: How to use C# Structs to create a Union type (Similar to C Unions) ................ 692
      Section 141.1: C-Style Unions in C# ........................................................................................................................... 692
      Section 141.2: Union Types in C# can also contain Struct fields ........................................................................... 693
Chapter 142: BigInteger ........................................................................................................................................ 695
      Section 142.1: Calculate the First 1,000-Digit Fibonacci Number .......................................................................... 695
Chapter 143: Dependency Injection ................................................................................................................ 696
      Section 143.1: Dependency Injection C# and ASP.NET with Unity ........................................................................ 696
      Section 143.2: Dependency injection using MEF ..................................................................................................... 698
Chapter 144: Reactive Extensions (Rx) ......................................................................................................... 701
      Section 144.1: Observing TextChanged event on a TextBox ................................................................................. 701
      Section 144.2: Streaming Data from Database with Observable ......................................................................... 701
Chapter 145: Creational Design Patterns .................................................................................................... 702
      Section 145.1: Singleton Pattern ............................................................................................................................... 702
      Section 145.2: Factory Method pattern ................................................................................................................... 703
      Section 145.3: Abstract Factory Pattern .................................................................................................................. 706
      Section 145.4: Builder Pattern ................................................................................................................................... 708
      Section 145.5: Prototype Pattern ............................................................................................................................. 712
Chapter 146: Creating a Console Application using a Plain-Text Editor and the C#
Compiler (csc.exe) .................................................................................................................................................... 715
      Section 146.1: Creating a Console application using a Plain-Text Editor and the C# Compiler ........................ 715
Chapter 147: Reading and writing .zip files ................................................................................................ 717
      Section 147.1: Writing to a zip file ............................................................................................................................. 717
      Section 147.2: Writing Zip Files in-memory ............................................................................................................. 717
      Section 147.3: Get files from a Zip file ..................................................................................................................... 717
      Section 147.4: The following example shows how to open a zip archive and extract all .txt files to a folder
           ............................................................................................................................................................................. 718
Chapter 148: Lambda Expressions .................................................................................................................. 719
      Section 148.1: Using lambda syntax to create a closure ....................................................................................... 719
      Section 148.2: Basic lambda expressions ............................................................................................................... 719
      Section 148.3: Basic lambda expressions with LINQ .............................................................................................. 720
      Section 148.4: Lambda syntax with statement block body .................................................................................. 720
      Section 148.5: Lambda expressions with System.Linq.Expressions ...................................................................... 720
Chapter 149: Generic Lambda Query Builder ............................................................................................ 721
      Section 149.1: QueryFilter class ................................................................................................................................ 721
      Section 149.2: GetExpression Method ...................................................................................................................... 721
      Section 149.3: GetExpression Private overload ....................................................................................................... 722
      Section 149.4: ConstantExpression Method ............................................................................................................ 723
      Section 149.5: Usage ................................................................................................................................................. 724
Chapter 150: Import Google Contacts ........................................................................................................... 725
      Section 150.1: Requirements ..................................................................................................................................... 725
      Section 150.2: Source code in the controller ........................................................................................................... 725
      Section 150.3: Source code in the view .................................................................................................................... 728
Chapter 151: CLSCompliantAttribute ............................................................................................................... 729
      Section 151.1: Access Modifier to which CLS rules apply ........................................................................................ 729
       Section 151.2: Violation of CLS rule: Unsigned types / sbyte ................................................................................ 729
       Section 151.3: Violation of CLS rule: Same naming ................................................................................................. 730
       Section 151.4: Violation of CLS rule: Identifier _ ...................................................................................................... 731
       Section 151.5: Violation of CLS rule: Inherit from non CLSComplaint class .......................................................... 731
Chapter 152: ObservableCollection<T> .......................................................................................................... 732
       Section 152.1: Initialize ObservableCollection<T> ................................................................................................... 732
Chapter 153: Synchronization Context in Async-Await .......................................................................... 733
       Section 153.1: Pseudocode for async/await keywords .......................................................................................... 733
       Section 153.2: Disabling synchronization context .................................................................................................. 733
       Section 153.3: Why SynchronizationContext is so important? .............................................................................. 734
Chapter 154: ICloneable ........................................................................................................................................ 735
       Section 154.1: Implementing ICloneable in a class ................................................................................................. 735
       Section 154.2: Implementing ICloneable in a struct ............................................................................................... 735
Chapter 155: Read & Understand Stacktraces ......................................................................................... 737
       Section 155.1: Stack trace for a simple NullReferenceException in Windows Forms ......................................... 737
Chapter 156: Linq to Objects ............................................................................................................................... 739
       Section 156.1: Using LINQ to Objects in C# ............................................................................................................. 739
Chapter 157: ASP.NET Identity ........................................................................................................................... 743
       Section 157.1: How to implement password reset token in asp.net identity using user manager .................... 743
Chapter 158: Access network shared folder with username and password .............................. 746
       Section 158.1: Code to access network shared file ................................................................................................. 746
Chapter 159: Asynchronous Socket ................................................................................................................. 748
       Section 159.1: Asynchronous Socket (Client / Server) example ........................................................................... 748
Chapter 160: Structural Design Patterns ...................................................................................................... 755
       Section 160.1: Adapter Design Pattern .................................................................................................................... 755
Chapter 161: O(n) Algorithm for circular rotation of an array .......................................................... 759
       Section 161.1: Example of a generic method that rotates an array by a given shift .......................................... 759
Chapter 162: Creating Own MessageBox in Windows Form Application ...................................... 761
       Section 162.1: How to use own created MessageBox control in another Windows Form application ............. 761
       Section 162.2: Creating Own MessageBox Control ................................................................................................ 761
Chapter 163: Including Font Resources ......................................................................................................... 764
       Section 163.1: Instantiate 'Fontfamily' from Resources .......................................................................................... 764
       Section 163.2: Integration method ........................................................................................................................... 764
       Section 163.3: Usage with a 'Button' ........................................................................................................................ 764
Chapter 164: Using json.net ................................................................................................................................. 766
       Section 164.1: Using JsonConverter on simple values ........................................................................................... 766
       Section 164.2: Collect all fields of JSON object ...................................................................................................... 768
Chapter 165: Windows Communication Foundation ............................................................................... 770
       Section 165.1: Getting started sample ...................................................................................................................... 770
Credits ............................................................................................................................................................................ 772
You may also like ...................................................................................................................................................... 786
About
                           Please feel free to share this PDF with anyone for free,
                            latest version of this book can be downloaded from:
                                     http://GoalKicker.com/CSharpBook
                    This is an unofficial free book created for educational purposes and is not
                     affiliated with official C# group(s) or company(s) nor Stack Overflow. All
                   trademarks and registered trademarks are the property of their respective
                                                company owners
    6. In the toolbar, click Debug -> Start Debugging or hit F5 or ctrl + F5 (running without debugger) to run the
       program.
Explanation
       class Program is a class declaration. The class Program contains the data and method definitions that your
       program uses. Classes generally contain multiple methods. Methods define the behavior of the class.
       However, the Program class has only one method: Main.
       static void Main() defines the Main method, which is the entry point for all C# programs. The Main method
       states what the class does when executed. Only one Main method is allowed per class.
       System.Console.WriteLine("Hello, world!"); method prints a given data (in this example, Hello,
       world!) as an output in the console window.
To compile via command line use either MSBuild or csc.exe (the C# compiler), both part of the Microsoft Build Tools
package.
To compile this example, run the following command in the same directory where HelloWorld.cs is located:
%WINDIR%\\Microsoft.NET\\Framework64\\v4.0.30319\\csc.exe HelloWorld.cs
It can also be possible that you have two main methods inside one application. In this case, you have to tell the
compiler which main method to execute by typing the following command in the console.(suppose Class ClassA
also has a main method in the same HelloWorld.cs file in HelloWorld namespace)
Note: This is the path where .NET framework v4.0 is located in general. Change the path according to your .NET version.
In addition, the directory might be framework instead of framework64 if you're using the 32-bit .NET Framework. From
the Windows Command Prompt, you can list all the csc.exe Framework paths by running the following commands (the first
for 32-bit Frameworks):
There should now be an executable file named HelloWorld.exe in the same directory. To execute the program
from the command prompt, simply type the executable's name and hit Enter as follows:
HelloWorld.exe
Hello, world!
6. Project created. The newly created project will look similar to:
      (Always use descriptive names for projects so that they can easily be distinguished from other projects. It is
      recommended not to use spaces in project or class name.)
using System;
      namespace ConsoleApplication1
      {
          public class Program
          {
              public static void Main(string[] args)
              {
              }
          }
      }
      Add the following two lines to the public static void Main(string[] args) object in Program.cs: (make
      sure it's inside the braces)
      Console.WriteLine("Hello world!");
      Console.Read();
      Why Console.Read()? The first line prints out the text "Hello world!" to the console, and the second line
      waits for a single character to be entered; in effect, this causes the program to pause execution so that you're
      able to see the output while debugging. Without Console.Read();, when you start debugging the application
      it will just print "Hello world!" to the console and then immediately close. Your code window should now look
      like the following:
using System;
      namespace ConsoleApplication1
      {
          public class Program
          {
              public static void Main(string[] args)
              {
                  Console.WriteLine("Hello world!");
                  Console.Read();
              }
          }
      }
   8. Debug your program. Press the Start Button on the toolbar near the top of the window                or press
       F5 on your keyboard to run your application. If the button is not present, you can run the program from
      the top menu: Debug → Start Debugging. The program will compile and then open a console window. It
      should look similar to the following screenshot:
      Windows
      OSX
      Linux
      Docker
After the installation has completed, open a command prompt, or terminal window.
   1. Create a new directory with mkdir hello_world and change into the newly created directory with cd
      hello_world.
hello_world.csproj
<Project Sdk="Microsoft.NET.Sdk">
                <PropertyGroup>
                  <OutputType>Exe</OutputType>
                  <TargetFramework>netcoreapp1.1</TargetFramework>
                </PropertyGroup>
</Project>
Program.cs
using System;
   4. Optional Build the application with dotnet build for Debug or dotnet build -c Release for Release. dotnet
      run will also run the compiler and throw build errors, if any are found.
   5. Run the application with dotnet run for Debug or dotnet run
      .\bin\Release\netcoreapp1.1\hello_world.dll for Release.
After installation is done, create a text file, name it HelloWorld.cs and copy the following content into it:
If you are using Windows, run the Mono Command Prompt which is included in the Mono installation and ensures
that the necessary environment variables are set. If on Mac or Linux, open a new terminal.
To compile the newly created file, run the following command in the directory containing HelloWorld.cs:
mono HelloWorld.exe
Hello, world!
Press any key to exit..
1. Install LinqPad
   6. Now that you have created your first .Net program, go and check out the samples included in LinqPad via the
      "Samples" browser. There are many great examples that will show you many different features of the .Net
      languages.
Notes:
1. If you click on "IL", you can inspect the IL code that your .net code generates. This is a great learning tool.
namespace FirstCsharp
{
    public class MainClass
    {
        public static void Main(string[] args)
        {
            Console.WriteLine("Hello World!");
            Console.ReadLine();
        }
    }
}
9. To run the code, press F5 or click the Play Button as shown below:
Console.WriteLine($@"Testing \n 1 2 {5 - 2}
New line");
Output:
     Testing \n 1 2 3
     New line
As expected from a verbatim string, the backslashes are ignored as escape characters. And as expected from an
interpolated string, any expression inside curly braces is evaluated before being inserted into the string at that
position.
Output:
In verbatim strings, there are no character escapes (except for "" which is turned into a "). To use a verbatim string,
just prepend a @ before the starting quotes.
Output:
c:    emp
ewfile.txt
using character escaping. (The \t is replaced with a tab character and the \n is replace with a newline.)
multiline paragraph";
Output:
This is a
multiline paragraph
Multi-line strings that contain double-quotes can also be escaped just as they were on a single line, because they
are verbatim strings.
""San Diego""
It should be noted that the spaces/tabulations at the start of lines 2 and 3 here are actually present in the value of the
variable; check this question for possible solutions.
In C#, an operator is a program element that is applied to one or more operands in an expression or statement.
Operators that take one operand, such as the increment operator (++) or new, are referred to as unary operators.
Operators that take two operands, such as arithmetic operators (+,-,*,/), are referred to as binary operators. One
operator, the conditional operator (?:), takes three operands and is the sole ternary operator in C#.
And we want to add the option to use the + operator for this class. i.e.:
We will need to overload the + operator for the class. This is done using a static function and the operator keyword:
Operators such as +, -, *, / can all be overloaded. This also includes Operators that don't return the same type (for
example, == and != can be overloaded, despite returning booleans) The rule below relating to pairs is also enforced
here.
Comparison operators have to be overloaded in pairs (e.g. if < is overloaded, > also needs to be overloaded).
A full list of overloadable operators (as well as non-overloadable operators and the restrictions placed on some
overloadable operators) can be seen at MSDN - Overloadable Operators (C# Programming Guide).
overloading of operator is was introduced with the pattern matching mechanism of C# 7.0. For details see Pattern
Matching
When overriding Equals, GetHashCode must also be overridden. When implementing Equals, there are many
special cases: comparing to objects of a different type, comparing to self etc.
When NOT overridden Equals method and == operator behave differently for classes and structs. For classes just
references are compared, and for structs values of properties are compared via reflection what can negatively
affect performance. == can not be used for comparing structs unless it is overridden.
Unlike Java, the equality comparison operator works natively with strings.
The equality comparison operator will work with operands of differing types if an implicit cast exists from one to
the other. If no suitable implicit cast exists, you may call an explicit cast or use a method to convert to a compatible
type.
1 == 1.0                    // Returns true because there is an implicit cast from int to double.
new Object() == 1.0         // Will not compile.
Unlike Visual Basic.NET, the equality comparison operator is not the same as the equality assignment operator.
For value types, the operator returns true if both operands are equal in value.
For reference types, the operator returns true if both operands are equal in reference (not value). An exception is
that string objects will be compared with value equality.
Not Equals
This operator effectively returns the opposite result to that of the equals (==) operator
Greater Than
Checks whether the first operand is greater than the second operand.
var   x = 10;
var   y = 15;
x >   y    //Returns false.
y >   x    //Returns true.
Less Than
Checks whether the first operand is less than the second operand.
var   x = 12;
var   y = 22;
x <   y    //Returns true.
y <   x    //Returns false.
Checks whether the first operand is greater than equal to the second operand.
Checks whether the first operand is less than equal to the second operand.
The method cannot take any more arguments, nor can it be an instance method. It can, however, access any private
members of type it is defined within.
The cast operators can work both ways, going from your type and going to your type:
Finally, the as keyword, which can be involved in casting within a type hierarchy, is not valid in this situation. Even
after defining either an explicit or implicit cast, you cannot do:
It means that, if you are using && operator as firstCondition && secondCondition it will evaluate secondCondition only
when firstCondition is true and ofcource the overall result will be true only if both of firstOperand and secondOperand
are evaluated to true. This is useful in many scenarios, for example imagine that you want to check whereas your
list has more than three elements but you also have to check if list has been initialized to not run into
NullReferenceException. You can achieve this as below:
Logical AND
&& is the short-circuiting counterpart of the standard boolean AND (&) operator.
var x = true;
var y = false;
Logical OR
var x = true;
var y = false;
Example usage
Syntax:
Example:
The ternary operator is right-associative which allows for compound ternary expressions to be used. This is done by
adding additional ternary equations in either the true or false position of a parent ternary equation. Care should be
taken to ensure readability, but this can be useful shorthand in some circumstances.
In this example, a compound ternary operation evaluates a clamp function and returns the current value if it's
within the range, the min value if it's below the range, or the max value if it's above the range.
// This is evaluated from left to right and can be more easily seen with parenthesis:
a ? (b ? x : y) : z
When writing compound ternary statements, it's common to use parenthesis or indentation to improve readability.
The types of expression_if_true and expression_if_false must be identical or there must be an implicit conversion from
one to the other.
condition ? 3 : "Not three"; // Doesn't compile because `int` and `string` lack an implicit
conversion.
condition ? 3.ToString() : "Not three"; // OK because both possible outputs are strings.
condition ? 3 : 3.5; // OK because there is an implicit conversion from `int` to `double`. The
ternary operator will return a `double`.
condition ? 3.5 : 3; // OK because there is an implicit conversion from `int` to `double`. The
ternary operator will return a `double`.
condition ? new SportsCar() : new Car(); // OK because there is an implicit conversion from
`SportsCar` to `Car`. The ternary operator will return a reference of type `Car`.
condition ? new Car() : new SportsCar(); // OK because there is an implicit conversion from
`SportsCar` to `Car`. The ternary operator will return a reference of type `Car`.
condition ? new SportsCar() : new SUV(); // Doesn't compile because there is no implicit conversion
from `SportsCar` to SUV or `SUV` to `SportsCar`. The compiler is not smart enough to realize that
both of them have an implicit conversion to `Car`.
condition ? new SportsCar() as Car : new SUV() as Car; // OK because both expressions evaluate to a
reference of type `Car`. The ternary operator will return a reference of type `Car`.
Introduced in C# 6.0, the Null Conditional Operator ?. will immediately return null if the expression on its left-
hand side evaluates to null, instead of throwing a NullReferenceException. If its left-hand side evaluates to a non-
null value, it is treated just like a normal . operator. Note that because it might return null, its return type is
always a nullable type. That means that for a struct or primitive type, it is wrapped into a Nullable<T>.
This comes handy when firing events. Normally you would have to wrap the event call in an if statement checking
for null and raise the event afterwards, which introduces the possibility of a race condition. Using the Null
conditional operator this can be fixed in the following way:
This operator returns true when one, but only one, of the supplied bools are true.
The built-in primitive data types, such as char, int, and float, as well as user-defined types declared with struct,
or enum. Their default value is new T() :
default(int)                   //   0
default(DateTime)              //   0001-01-01 12:00:00 AM
default(char)                  //   '\0' This is the "null character", not a zero or a line break.
default(Guid)                  //   00000000-0000-0000-0000-000000000000
default(MyStruct)              //   new MyStruct()
// Note: default of an enum is 0, and not the first *key* in that enum
// so it could potentially fail the Enum.IsDefined test
default(MyEnum)          // (MyEnum)0
Any class, interface, array or delegate type. Their default value is null :
default(object)                //   null
default(string)                //   null
default(MyClass)               //   null
default(IDisposable)           //   null
default(dynamic)               //   null
sizeof(bool)         //   Returns   1.
sizeof(byte)         //   Returns   1.
sizeof(sbyte)        //   Returns   1.
sizeof(char)         //   Returns   2.
sizeof(short)        //   Returns   2.
sizeof(ushort)       //   Returns   2.
sizeof(int)          //   Returns   4.
sizeof(uint)         //   Returns   4.
sizeof(float)        //   Returns   4.
sizeof(long)         //   Returns   8.
sizeof(ulong)        //   Returns   8.
sizeof(double)       //   Returns   8.
sizeof(decimal)      //   Returns   16.
Left-Shift
Right-Shift
It is used to declare lambda expressions and also it is widely used with LINQ Queries:
When used in LINQ extensions or queries the type of the objects can usually be skipped as it is inferred by the
compiler:
int shortestWordLength = words.Min(w => w.Length); //also compiles with the same result
The parameters of the lambda expression are specified before => operator, and the actual
expression/statement/block to be executed is to the right of the operator:
// expression
(int x, string s) => s.Length > x
// expression
(int x, int y) => x + y
// statement
(string x) => Console.WriteLine(x)
// block
(string x) => {
         x += " says Hello!";
         Console.WriteLine(x);
    }
This operator can be used to easily define delegates, without writing an explicit method:
myDelegate("Hello");
instead of
void MyMethod(string s)
{
    Console.WriteLine(s + " World");
}
myDelegate("Hello");
var x = 42;
x++;
Console.WriteLine(x); // 43
Postfix decrement
X--
++x is called prefix increment it increments the value of x and then returns x while x++ returns the value of x and
then increments
var x = 42;
Console.WriteLine(++x); // 43
System.out.println(x); // 43
while
var x = 42;
Console.WriteLine(x++); // 42
System.out.println(x); // 43
To get the run-time type, use GetType method to obtain the System.Type of the current instance.
Operator typeof takes a type name as parameter, which is specified at compile time.
Example:
x += y
is the same as
x = x + y
Assignment operators:
      +=
      -=
      *=
      /=
      %=
      &=
      |=
      ^=
      <<=
      >>=
The nameof operator was introduced in C# 6.0. It is evaluated at compile-time and the returned string value is
inserted inline by the compiler, so it can be used in most cases where the constant string can be used (e.g., the case
labels in a switch statement, attributes, etc...). It can be useful in cases like raising & logging exceptions, attributes,
MVC Action links, etc...
An extension method is created by adding a static method to a static class which is distinct from the original type
being extended. The static class holding the extension method is often created for the sole purpose of holding
extension methods.
Extension methods take a special first parameter that designates the original type being extended. This first
parameter is decorated with the keyword this (which constitutes a special and distinct use of this in C#—it should
be understood as different from the use of this which allows referring to members of the current object instance).
In the following example, the original type being extended is the class string. String has been extended by a
method Shorten(), which provides the additional functionality of shortening. The static class StringExtensions
has been created to hold the extension method. The extension method Shorten() shows that it is an extension of
string via the specially marked first parameter. To show that the Shorten() method extends string, the first
parameter is marked with this. Therefore, the full signature of the first parameter is this string text, where
string is the original type being extended and text is the chosen parameter name.
class Program
{
    static void Main()
    {
        // This calls method String.ToUpper()
        var myString = "Hello World!".ToUpper();
"some string".Shorten(5);
Note that extension methods are only usable if they are in the same namespace as their definition, if the namespace is
imported explicitly by the code using the extension method, or if the extension class is namespace-less. The .NET
framework guidelines recommend putting extension classes in their own namespace. However, this may lead to
discovery issues.
This results in no conflicts between the extension methods and the libraries being used, unless namespaces which
might conflict are explicitly pulled in. For example LINQ Extensions:
using System.Linq; // Allows use of extension methods from the System.Linq namespace
class Program
{
    static void Main()
    {
        var ints = new int[] {1, 2, 3, 4};
Since C# 6.0, it is also possible to put a using static directive to the class containing the extension methods. For
example, using static System.Linq.Enumerable;. This makes extension methods from that particular class
available without bringing other types from the same namespace into scope.
When a class method with the same signature is available, the compiler prioritizes it over the extension method
call. For example:
class Test
{
   public void Hello()
   {
       Console.WriteLine("From Test");
   }
}
Note that if there are two extension functions with the same signature, and one of them is in the same namespace,
then that one will be prioritized. On the other hand, if both of them are accessed by using, then a compile time
error will ensue with the message:
Note that the syntactic convenience of calling an extension method via originalTypeInstance.ExtensionMethod()
is an optional convenience. The method can also be called in the traditional manner, so that the special first
parameter is used as a parameter to the method.
Usage:
There are still scenarios where you would need to use an extension method as a static method:
      Resolving conflict with a member method. This can happen if a new version of a library introduces a new
      member method with the same signature. In this case, the member method will be preferred by the
      compiler.
      Resolving conflicts with another extension method with the same signature. This can happen if two libraries
      include similar extension methods and namespaces of both classes with extension methods are used in the
      same file.
      Passing extension method as a method group into delegate parameter.
      Doing your own binding through Reflection.
      Using the extension method in the Immediate window in Visual Studio.
Using static
If a using static directive is used to bring static members of a static class into global scope, extension methods
are skipped. Example:
If you remove the this modifier from the first argument of the Shorten method, the last line will compile.
View Demo
View Demo
You can also create extension methods for partially bound types in multi generic types:
View Demo
Calling code:
int number = 5;
var IsDefault = number.IsDefault();
     }
}
Extension methods are just a syntactic sugar, and are not actually members of the class they extend. This means
that they cannot break encapsulation—they only have access to public (or when implemented in the same
assembly, internal) fields, properties and methods.
void Main()
{
    int result = 5.Increment().Decrement().Increment();
    // result is now 6
}
void Main()
{
    int[] ints = new[] { 1, 2, 3, 4, 5, 6};
    int[] a = ints.WhereEven();
    //a is { 2, 4, 6 };
    int[] b = ints.WhereEven().WhereGreaterThan(2);
    //b is { 4, 6 };
}
Now you can quickly convert your enum value to a different type. In this case a bool.
Also the dispatch based on static type does not allow an extension method to be called on a dynamic object:
use like:
            // Prints True
            Console.WriteLine(awesomeString.IsThisAwesome());
dynamicObject.StringValue = awesomeString;
            // Prints True
            Console.WriteLine(StringExtensions.IsThisAwesome(dynamicObject.StringValue));
     The reason [calling extension methods from dynamic code] doesn't work is because in regular, non-
     dynamic code extension methods work by doing a full search of all the classes known to the compiler for
     a static class that has an extension method that matches. The search goes in order based on the
     namespace nesting and available using directives in each namespace.
     That means that in order to get a dynamic extension method invocation resolved correctly, somehow the
     DLR has to know at runtime what all the namespace nestings and using directives were in your source
     code. We do not have a mechanism handy for encoding all that information into the call site. We
     considered inventing such a mechanism, but decided that it was too high cost and produced too much
     schedule risk to be worth it.
Source
The following is a very simple interface with convenience overloads provided as extensions.
class Program
{
    static void Main(string[] args)
    {
        var formatter = new SecondsTimeFormatter();
        // Callers get two method overloads!
        Console.WriteLine($"4500ms is rougly {formatter.Format(4500)}");
        var span = TimeSpan.FromSeconds(5);
        Console.WriteLine($"{span} is formatted as {formatter.Format(span)}");
    }
}
By default the items are compared based on their order within the list and the items themselves, passing false to
the isOrdered parameter will compare only the items themselves regardless of their order.
For this method to work, the generic type (T) must override both Equals and GetHashCode methods.
Usage:
Method:
public static bool Compare<T>(this IList<T> list1, IList<T> list2, bool isOrdered = true)
{
    if (list1 == null && list2 == null)
        return true;
    if (list1 == null || list2 == null || list1.Count != list2.Count)
        return false;
        if (isOrdered)
        {
            for (int i = 0; i < list2.Count; i++)
            {
                var l1 = list1[i];
                var l2 = list2[i];
                if (
                     (l1 == null && l2 != null) ||
                     (l1 != null && l2 == null) ||
                     (!l1.Equals(l2)))
                {
This approach removes the need of using string literals as keys all over the codebase as well as the need of casting
to the required type during the read operation. Overall it creates a more secure, strongly typed way of interacting
with such loosely typed objects as Dictionaries.
The beauty here is all the mapping method have a common name (ToViewModel) and we can reuse it several ways
          list.Add(value);
     }
dictList.Add("example", 5);
dictList.Add("example", 10);
dictList.Add("example", 15);
dictList.Remove("example", 5);
dictList.Remove("example", 10);
dictList.Remove("example", 15);
Console.WriteLine(dictList.ContainsKey("example")); // False
View Demo
using System;
using System.Diagnostics;
namespace Samples
{
    /// <summary>
    /// Wraps a try catch statement as a static helper which uses
    /// Extension methods for the exception
    /// </summary>
    public static class Bullet
    {
        /// <summary>
        /// Wrapper for Try Catch Statement
        /// </summary>
        /// <param name="code">Call back for code</param>
        /// <param name="error">Already handled and logged exception</param>
        public static void Proof(Action code, Action<Exception> error)
        {
            try
            {
                code();
            }
            catch (Exception iox)
            {
                //extension method used here
                iox.Log("BP2200-ERR-Unexpected Error");
                //callback, exception already handled and logged
                error(iox);
            }
        }
        /// <summary>
        /// Example of a logging method helper, this is the extension method
        /// </summary>
        /// <param name="error">The Exception to log</param>
        /// <param name="messageID">A unique error ID header</param>
        public static void Log(this Exception error, string messageID)
        {
            Trace.WriteLine(messageID);
            Trace.WriteLine(error.Message);
            Trace.WriteLine(error.StackTrace);
            Trace.WriteLine("");
        }
    }
    /// <summary>
    /// Shows how to use both the wrapper and extension methods.
    /// </summary>
    public class UseBulletProofing
         /// <summary>
         /// How to use Bullet Proofing in your code.
         /// </summary>
         /// <returns>A string</returns>
         public string DoSomething()
         {
             string result = string.Empty;
             //Note that the Bullet.Proof method forces this construct.
             Bullet.Proof(() =>
             {
                 //this is the code callback
                 result = "DST5900-INF-No Exceptions in this code";
             }, error =>
             {
                 //error is the already logged and handled exception
                 //determine the base result
                 result = "DTS6200-ERR-An exception happened look at console log";
                 if (error.Message.Contains("SomeMarker"))
                 {
                     //filter the result for Something within the exception message
                     result = "DST6500-ERR-Some marker was found in the exception";
                 }
             });
             return result;
         }
         /// <summary>
         /// Next step in workflow
         /// </summary>
         public void DoSomethingElse()
         {
             //Only called if no exception was thrown before
         }
     }
}
Collection initializers are syntactic sugar for Add() calls. Above code is equivalent to:
Note that the intialization is done atomically using a temporary variable, to avoid race conditions.
For types that offer multiple parameters in their Add() method, enclose the comma-separated arguments in curly
braces:
Dictionary Initialization
So there is a significant difference in functionality, as the new syntax uses the indexer of the initialized object to
assign values instead of using its Add() method. This means the new syntax only requires a publicly available
indexer, and works for any object that has one.
class Program
{
    static void Main()
    {
        var col = new MyCollection {
            "foo",
            { "bar", 3 },
Synonyms is a collection-type property. When the Tag object is created using object initializer syntax, Synonyms can
also be initialized with collection initializer syntax:
The collection property can be readonly and still support collection initializer syntax. Consider this modified
example (Synonyms property now has a private setter):
This works because collection initializers are just syntatic sugar over calls to Add(). There's no new list being created
here, the compiler is just generating calls to Add() on the exiting object.
You can also use the DateTime.ToString method to format the DateTime object. This will produce the same output
as the code above.
Output:
     Note: MM stands for months and mm for minutes. Be very careful when using these as mistakes can
     introduce bugs that may be difficult to discover.
${value, padding}
NOTE: Positive padding values indicate left padding and negative padding values indicate right padding.
Left Padding
A left padding of 5 (adds 3 spaces before the value of number, so it takes up a total of 5 character positions in the
resulting string.)
Output:
Right Padding
Right padding, which uses a negative padding value, will add spaces to the end of the current value.
Output:
You can also use existing formatting specifiers in conjunction with padding.
Internally this
$"Hello, {name}!"
HashSet.Contains uses a hash table, so that lookups are extremely fast, regardless of the number of items in the
collection.
using System.Collections.Generic;
// Reading data
Console.WriteLine(people["John"]); // 30
Console.WriteLine(people["George"]); // throws KeyNotFoundException
int age;
if (people.TryGetValue("Mary", out age))
{
    Console.WriteLine(age); // 35
}
// add something
// note that we add 2 before we add 1
mySet.Add(2);
mySet.Add(1);
// output:
// 1
// 2
// output:
// one
// two
// output:
// something else
// two
using System.Collections.Generic;
List<T> can be thought of as an array that you can resize. Enumerating over the collection in order is quick, as is
access to individual elements via their index. To access elements based on some aspect of their value, or some
other key, a Dictionary<T> will provide faster lookup.
// Pop removes the top element of the stack and returns it.
Console.WriteLine(stack.Pop()); // prints 8
Console.WriteLine(stack.Pop()); // prints 5
Console.WriteLine(stack.Pop()); // prints 3
list.AddFirst(2);
// the list now is 2, 3, 5, 8
list.RemoveFirst();
// the list is now 3, 5, 8
list.RemoveLast();
// the list is now 3, 5
Destructors/Finalizers are methods in a class that are invoked when an instance of that is destroyed. In C# they are
rarely explicitely written/used.
      Initialize static state, that is state which is shared across different instances of the same class.
      Create a singleton
Example:
class Animal
{
    // * A static constructor is executed only once,
    //   when a class is first accessed.
    // * A static constructor cannot have any access modifiers
    // * A static constructor cannot have any parameters
    static Animal()
    {
        Console.WriteLine("Animal initialized");
    }
Output:
     Animal initialized
     Animal created
     Animal created
View Demo
If the first call is to a static method, the static constructor is invoked without the instance constructor. This is OK,
because the static method can't access instance state anyways.
     Animal initialized
     Yawn!
Singleton example:
     static SessionManager()
     {
         Instance = new SessionManager();
     }
}
     private SingletonClass()
     {
         // Put custom constructor code here
     }
}
Because the constructor is private, no new instances of SingletonClass can be made by consuming code. The only
way to access the single instance of SingletonClass is by using the static property SingletonClass.Instance.
The Instance property is assigned by a static constructor that the C# compiler generates. The .NET runtime
guarantees that the static constructor is run at most once and is run before Instance is first read. Therefore, all
synchronization and initialization concerns are carried out by the runtime.
Note, that if the static constructor fails the Singleton class becomes permanently unusable for the life of the
AppDomain.
Also, the static constructor is not guaranteed to run at the time of the first access of Instance. Rather, it will run at
some point before that. This makes the time at which initialization happens non-deterministic. In practical cases the
JIT often calls the static constructor during compilation (not execution) of a method referencing Instance. This is a
performance optimization.
See the Singleton Implementations page for other ways to implement the singleton pattern.
The definition of any constructor for the type will suppress the default constructor generation. If the type were
defined as follows:
// This is valid
var myAnimal = new Animal("Fluffy");
// This fails to compile
var unnamedAnimal = new Animal();
For the second example, the compiler will display an error message:
If you want a class to have both a parameterless constructor and a constructor that takes a parameter, you can do
it by explicitly implementing both constructors.
The compiler will not be able to generate a default constructor if the class extends another class which doesn't have
a parameterless constructor. For example, if we had a class Creature:
Remark: All static initialization (fields initializers for example) will run, not only the constructor itself.
Potential usages: Forcing initialization during the splash screen in an UI application or ensuring that a static
constructor doesn't fail in an unit test.
If a derived class doesn't explicitly specify which constructor of the base class should be called, the compiler
assumes the parameterless constructor.
In this case, instantiating a Mammal by calling new Mammal("George the Cat") will print
Calling a different constructor of the base class is done by placing : base(args) between the constructor's
signature and its body:
View Demo
class TheBaseClass
{
    ~TheBaseClass()
    {
        Console.WriteLine("Base class finalized!");
    }
}
 try
 {
        Animal.Yawn();
 }
 catch (Exception e)
 {
     Console.WriteLine(e.ToString());
 }
 try
 {
     Animal.Yawn();
 }
 catch (Exception e)
 {
     Console.WriteLine(e.ToString());
 }
Static ctor
[...]
where you can see that the actual constructor is only executed once, and the exception is re-used.
        public TestClass()
        {
            if (TestProperty == 1)
             if (TestProperty == 2)
             {
                 Console.WriteLine("Or shall this be executed");
             }
      }
}
In the example above, shall the TestProperty value be 1 in the class' constructor or after the class constructor?
Will be executed after the constructor is run. However, initializing the property value in the class' property in C# 6.0
like this:
      public TestClass()
      {
      }
}
      public TestClass()
      {
          if (TestProperty == 1)
          {
              Console.WriteLine("Shall this be executed?");
          }
             if (TestProperty == 2)
             {
                 Console.WriteLine("Or shall this be executed");
             }
      }
}
Explanation:
The TestProperty value will first be assigned as 2, then the TestClass constructor will be run, resulting in printing
of
And then the TestProperty will be assigned as 1 due to new TestClass() { TestProperty = 1 }, making the final
value for the TestProperty printed by Console.WriteLine(testInstance.TestProperty) to be
"1"
class Animal<T>
{
    static Animal()
    {
        Console.WriteLine(typeof(T).FullName);
    }
Animal<Object>.Yawn();
Animal<String>.Yawn();
      System.Object
      System.String
If you come from a C++ background this is surprising, base class constructor already sees derived class virtual
method table!
Be careful: derived class may not been fully initialized yet (its constructor will be executed after base class
constructor) and this technique is dangerous (there is also a StyleCop warning for this). Usually this is regarded as
bad practice.
    1. You cannot create an instance of a static class (this even removes the default constructor)
    2. All properties and methods in the class must be static as well.
    3. A static class is a sealed class, meaning it cannot be inherited.
void Main()
{
    Console.WriteLine("Static classes are lazily initialized");
    Console.WriteLine("The static constructor is only invoked when the class is first accessed");
    Foo.SayHi();
    1. This value does not change from object to object but rather changes on a class as a whole
    2. Static properties and methods don't require an instance.
          //Notice this next call doesn't access the instance but calls by the class name.
          Console.WriteLine(Foo.Counter); //this will also print "1"
     }
}
Section 10.1: as
The as keyword is an operator similar to a cast. If a cast is not possible, using as produces null rather than
resulting in an InvalidCastException.
expression as type is equivalent to expression is type ? (type)expression : (type)null with the caveat that
as is only valid on reference conversions, nullable conversions, and boxing conversions. User-defined conversions
are not supported; a regular cast must be used instead.
For the expansion above, the compiler generates code such that expression will only be evaluated once and use
single dynamic type check (unlike the two in the sample above).
as can be useful when expecting an argument to facilitate several types. Specifically it grants the user multiple
options - rather than checking every possibility with is before casting, or just casting and catching exceptions. It is
best practice to use 'as' when casting/checking an object which will cause only one unboxing penalty. Using is to
check, then casting will cause two unboxing penalties.
If an argument is expected to be an instance of a specific type, a regular cast is preferred as its purpose is more
clear to the reader.
Because a call to as may produce null, always check the result to avoid a NullReferenceException.
Example usage
class MyCustomClass
{
goto as a:
Label:
void InfiniteHello()
{
    sayHello:
    Console.WriteLine("Hello!");
    goto sayHello;
}
Case statement:
enum Permissions { Read, Write };
switch (GetRequestedPermission())
{
    case Permissions.Read:
        GrantReadAccess();
        break;
     case Permissions.Write:
         GrantWriteAccess();
         goto case Permissions.Read; //People with write access also get read
}
This is particularly useful in executing multiple behaviors in a switch statement, as C# does not support fall-through
case blocks.
Exception Retry
var exCount = 0;
retry:
try
{
    //Do work
}
catch (IOException)
{
    exCount++;
    if (exCount < 3)
    {
        Thread.Sleep(100);
Similar to many languages, use of goto keyword is discouraged except the cases below.
Multi-level break. LINQ can often be used instead, but it usually has worse performance.
      Resource deallocation when working with unwrapped low-level objects. In C#, low-level objects should
      usually be wrapped in separate classes.
      Finite state machines, for example, parsers; used internally by compiler generated async/await state
      machines.
It is good practice to mark every variable that may be used by multiple threads as volatile to prevent unexpected
behavior due to behind-the-scenes optimizations. Consider the following code block:
          /* the value of x will always be the current value, but y will always be "15" */
          Debug.WriteLine("x = " + x + ", y = " + y);
     }
}
In the above code-block, the compiler reads the statements x = 5 and y = x + 10 and determines that the value of
y will always end up as 15. Thus, it will optimize the last statement as y = 15. However, the variable x is in fact a
public field and the value of x may be modified at runtime through a different thread acting on this field
separately. Now consider this modified code-block. Do note that the field x is now declared as volatile.
Now, the compiler looks for read usages of the field x and ensures that the current value of the field is always
retrieved. This ensures that even if multiple threads are reading and writing to this field, the current value of x is
always retrieved.
volatile can only be used on fields within classes or structs. The following is not valid:
Remarks:
      The volatile modifier is usually used for a field that is accessed by multiple threads without using the lock
      statement to serialize access.
      The volatile keyword can be applied to fields of reference types
      The volatile keyword will not make operating on 64-bit primitives on a 32-bit platform atomic. Interlocked
      operations such as Interlocked.Read and Interlocked.Exchange must still be used for safe multi-threaded
      access on these platforms.
When overflow occurs within a checked block (or when the compiler is set to globally use checked arithmetic), an
exception is thrown to warn of undesired behavior. Meanwhile, in an unchecked block, overflow is silent: no
exceptions are thrown, and the value will simply wrap around to the opposite boundary. This can lead to subtle,
hard to find bugs.
Since most arithmetic operations are done on values that are not large or small enough to overflow, most of the
time, there is no need to explicitly define a block as checked. Care needs to be taken when doing arithmetic on
unbounded input that may cause overflow, for example when doing arithmetic in recursive functions or while
taking user input.
When a block or expression is declared as unchecked, any arithmetic operations inside it are allowed to overflow
without causing an error. An example where this behavior is desired would be the calculation of a checksum, where
One of the most common uses for unchecked is implementing a custom override for object.GetHashCode(), a type
of checksum. You can see the keyword's use in the answers to this question: What is the best algorithm for an
overridden System.Object.GetHashCode?.
When a block or expression is declared as checked, any arithmetic operation that causes an overflow results in an
OverflowException being thrown.
Checked and unchecked blocks do not affect called methods, only operators called directly in the current method.
For example, Enum.ToObject(), Convert.ToInt32(), and user-defined operators are not affected by custom
checked/unchecked contexts.
Note: The default overflow default behavior (checked vs. unchecked) may be changed in the Project Properties or
through the /checked[+|-] command line switch. It is common to default to checked operations for debug builds and
unchecked for release builds. The checked and unchecked keywords would then be used only where a default approach
does not apply and you need an explicit behavior to ensure correctness.
The virtual keyword allows a method, property, indexer or event to be overridden by derived classes and present
polymorphic behavior. (Members are non-virtual by default in C#)
In order to override a member, the override keyword is used in the derived classes. (Note the signature of the
members must be identical)
The polymorphic behavior of virtual members means that when invoked, the actual member being executed is
determined at runtime instead of at compile time. The overriding member in the most derived class the particular
object is an instance of will be the one executed.
In short, object can be declared of type BaseClass at compile time but if at runtime it is an instance of
DerivedClass then the overridden member will be executed:
new
Since only members defined as virtual are overridable and polymorphic, a derived class redefining a non virtual
member might lead to unexpected results.
When this happens, the member executed is always determined at compile time based on the type of the object.
      If the object is declared of type BaseClass (even if at runtime is of a derived class) then the method of
      BaseClass is executed
      If the object is declared of type DerivedClass then the method of DerivedClass is executed.
This is usually an accident (When a member is added to the base type after an identical one was added to the
If it was intentional, then the new keyword is used to suppress the compiler warning (And inform other developers
of your intentions!). the behavior remains the same, the new keyword just suppresses the compiler warning.
public class A
{
    public virtual void Foo()
    {
    }
}
public class B : A
{
    public void Foo() // Generates CS0108
    {
    }
}
The above example also causes warning CS0108, because B.Foo() is not automatically overriding A.Foo(). Add
override when the intention is to override the base class and cause polymorphic behavior, add new when you want
non-polymorphic behavior and resolve the call using the static type. The latter should be used with caution, as it
may cause severe confusion.
public class A
{
    public void Foo()
    {
    }
}
public class B : A
     public class A
     {
         public void Foo()
         {
             Console.WriteLine("A");
         }
     }
     public class B : A
     {
         public new virtual void Foo()
         {
             Console.WriteLine("B");
         }
     }
Now all objects with a static reference of B (and its derivatives) use polymorphism to resolve Foo(), while
references of A use A.Foo().
A a = new A();
a.Foo(); // Prints "A";
a = new B();
a.Foo(); // Prints "A";
B b = new B();
b.Foo(); // Prints "B";
The C# compiler is strict in preventing senseless constructs. Methods marked as virtual cannot be private.
Because a private method cannot be seen from a derived type, it couldn't be overwritten either. This fails to
compile:
public class A
{
    private virtual void Foo() // Error: virtual methods cannot be private
    {
    }
}
As with all pointers in C# there is no bounds checking on reads and assignments. Reading beyond the bounds of
the allocated memory will have unpredictable results - it may access some arbitrary location within memory or it
may cause an access violation exception.
//Allocate 1 byte
byte* ptr = stackalloc byte[1];
//Unpredictable results...
ptr[10] = 1;
ptr[-1] = 2;
Stack allocated memory is automatically removed when the scope it was created in is exited. This means that you
should never return the memory created with stackalloc or store it beyond the lifetime of the scope.
stackalloc can only be used when declaring and initialising variables. The following is not valid:
byte* ptr;
...
ptr = stackalloc byte[1024];
Remarks:
stackalloc should only be used for performance optimizations (either for computation or interop). This is due to
the fact that:
       The garbage collector is not required as the memory is allocated on the stack rather than the heap - the
       memory is released as soon as the variable goes out of scope
       It is faster to allocate memory on the stack rather than the heap
       Increase the chance of cache hits on the CPU due to the locality of data
The break-statement is also used in switch-case constructs to break out of a case or default segment.
switch(a)
{
    case 5:
        Console.WriteLine("a was 5!");
        break;
     default:
         Console.WriteLine("a was something else!");
         break;
}
In switch statements, the 'break' keyword is required at the end of each case statement. This is contrary to some
languages that allow for 'falling through' to the next case statement in the series. Workarounds for this would
include 'goto' statements or stacking the 'case' statements sequentially.
Following code will give numbers 0, 1, 2, ..., 9 and the last line will not be executed. yield break signifies the
end of the function (not just a loop).
Note that unlike some other languages, there is no way to label a particular break in C#. This means that in the case
of nested loops, only the innermost loop will be stopped:
If you want to break out of the outer loop here, you can use one of several different strategies, such as:
     if(shouldBreakNow)
     {
         break; // Break out of outer loop if flag was set to true
     }
}
For example, since the speed of light will never change, we can store it in a constant.
This is essentially the same as having return mass * 299792458 * 299792458, as the compiler will directly
substitute c with its constant value.
As a result, c cannot be changed once declared. The following will produce a compile-time error:
const members are static by nature. However using static explicitly is not permitted.
These can not be prefixed with a private or public keyword, since they are implicitly local to the method they are
defined in.
Not all types can be used in a const declaration. The value types that are allowed, are the pre-defined types sbyte,
byte, short, ushort, int, uint, long, ulong, char, float, double, decimal, bool, and all enum types. Trying to declare
const members with other value types (such as TimeSpan or Guid) will fail at compile-time.
For the special pre-defined reference type string, constants can be declared with any value. For all other reference
types, constants can be declared but must always have the value null.
Because const values are known at compile-time, they are allowed as case labels in a switch statement, as
standard arguments for optional parameters, as arguments to attribute specifications, and so on.
If const values are used across different assemblies, care must be taken with versioning. For example, if assembly A
defines a public const int MaxRetries = 3;, and assembly B uses that constant, then if the value of MaxRetries
is later changed to 5 in assembly A (which is then re-compiled), that change will not be effective in assembly B unless
assembly B is also re-compiled (with a reference to the new version of A).
For that reason, if a value might change in future revisions of the program, and if the value needs to be publicly
visible, do not declare that value const unless you know that all dependent assemblies will be re-compiled
whenever something is changed. The alternative is using static readonly instead of const, which is resolved at
runtime.
Using async with void is strongly discouraged. For more info you can look here.
Example:
Output:
The keyword pairs async and await can be omitted if a Task or Task<T> returning method only returns a single
asynchronous operation.
It is preferred to do this:
Version ≥ 6.0
       The for loop is commonly used when the number of iterations is known.
       The statements in the initializer section run only once, before you enter the loop.
       The condition section contains a boolean expression that's evaluated at the end of every loop iteration to
This example shows how for can be used to iterate over the characters of a string:
Output:
     H
     e
     l
     l
     o
All of the expressions that define a for statement are optional; for example, the following statement is used to
create an infinite loop:
for( ; ; )
{
    // Your code here
}
The initializer section can contain multiple variables, so long as they are of the same type. The condition
section can consist of any expression which can be evaluated to a bool. And the iterator section can perform
multiple actions separated by comma:
Output:
     hello
     hello1
     hello12
A class must be marked as abstract if it contains abstract members or if it inherits abstract members that it doesn't
implement. A class may be marked as abstract even if no abstract members are involved.
Animal cat = new Cat();            // Allowed due to Cat deriving from Animal
cat.MakeSound();                   // will print out "Meov meov"
Animal dog = new Dog();            // Allowed due to Dog deriving from Animal
dog.MakeSound();                   // will print out "Bark bark"
Animal animal = new Animal(); // Not allowed due to being an abstract class
A method, property, or event marked with the keyword abstract indicates that the implementation for that
member is expected to be provided in a subclass. As mentioned above, abstract members can only appear in
abstract classes.
We use the fixed statement to ensure that the garbage collector does not relocate the string data.
fixed can only be used on fields in a struct (must also be used in an unsafe context).
class MyClass {}
Debug.Assert(default(MyClass) == null);
Debug.Assert(default(string) == null);
For structs and enums, default(TheType) returns the same as new TheType():
struct Coordinates
{
    public int X { get; set; }
    public int Y { get; set; }
}
struct MyStruct
{
    public string Name { get; set; }
    public Coordinates Location { get; set; }
    public Coordinates? SecondLocation { get; set; }
    public TimeSpan Duration { get; set; }
}
default(T) can be particularly useful when T is a generic parameter for which no constraint is present to decide
whether T is a reference type or a value type, for example:
class A { }
sealed class B : A { }
class C : B { } //error : Cannot derive from the sealed class
When applied to a virtual method (or virtual property), the sealed modifier prevents this method (property) from
being overridden in derived classes.
public class A
{
    public sealed override string ToString() // Virtual method inherited from class Object
    {
        return "Do not override me!";
    }
}
public class B: A
{
    public override string ToString() // Compile time error
    {
        return "An attempt to override";
    }
}
Section 10.15: is
Checks if an object is compatible with a given type, i.e. if an object is an instance of the BaseInterface type, or a
type that derives from BaseInterface:
interface BaseInterface {}
class BaseClass : BaseInterface {}
class DerivedClass : BaseClass {}
If the intent of the cast is to use the object, it is best practice to use the as keyword'
interface BaseInterface {}
class BaseClass : BaseInterface {}
class DerivedClass : BaseClass {}
if(d is BaseClass){
    var castedD = (BaseClass)d;
    castedD.Method(); // valid, but not best practice
}
if(asD!=null){
    asD.Method(); //preferred method since you incur only one unboxing penalty
}
But, from C# 7 pattern matching feature extends the is operator to check for a type and declare a new variable at
the same time. Same code part with C# 7 :
Version ≥ 7.0
if(d is BaseClass asD ){
    asD.Method();
}
public MyClass {
    int a;
     void set_a(int a)
     {
         //this.a refers to the variable defined outside of the method,
         //while a refers to the passed parameter.
         this.a = a;
     }
}
If there is no conflict with a local variable or parameter, it is a matter of style whether to use this or not, so
this.MemberOfType and MemberOfType would be equivalent in that case. Also see base keyword.
Note that if an extension method is to be called on the current instance, this is required. For example if your are
inside a non-static method of a class which implements IEnumerable<> and you want to call the extension Count
from before, you must use:
The readonly keyword is different from the const keyword. A const field can only be initialized at the declaration of
the field. A readonly field can be initialized either at the declaration or in a constructor. Therefore, readonly fields
can have different values depending on the constructor used.
class Person
{
    readonly string _name;
    readonly string _surname = "Surname";
     Person(string name)
     {
         _name = name;
     }
     void ChangeName()
     {
         _name = "another name"; // Compile error
         _surname = "another surname"; // Compile error
     }
}
     Note: Declaring a field readonly does not imply immutability. If the field is a reference type then the
     content of the object can be changed. Readonly is typically used to prevent having the object being
     overwritten and assigned only during instantiation of that object.
//In code
     "Hello world!"
     "How are you doing today?"
     "Goodbye"
You can exit the foreach loop at any point by using the break keyword or move on to the next iteration using the
continue keyword.
      // Stop iteration if 5
      if (number == 5)
          break;
// Prints: 1, 3, 4,
Notice that the order of iteration is guaranteed only for certain collections such as arrays and List, but not
guaranteed for many other collections.
✝ While IEnumerable is typically used to indicate enumerable collections, foreach only requires that the collection
expose publicly the object GetEnumerator() method, which should return an object that exposes the bool
MoveNext() method and the object Current { get; } property.
using System;
using System.Dynamic;
Console.WriteLine(info.Another);
// 456
Console.WriteLine(info.DoesntExist);
// Throws RuntimeBinderException
The following example uses dynamic with Newtonsoft's library Json.NET, in order to easily read data from a
deserialized JSON file.
try
{
      string json = @"{ x : 10, y : ""ho""}";
      dynamic deserializedJson = JsonConvert.DeserializeObject(json);
      int x = deserializedJson.x;
      string y = deserializedJson.y;
      // int z = deserializedJson.z; // throws RuntimeBinderException
}
catch (RuntimeBinderException e)
{
    // This exception is thrown when a property
    // that wasn't assigned to a dynamic variable is used
}
No compilation error, but at runtime you get a RuntimeBinderException. The workaround for this will be to call the
extension method via the static class:
// The code within the try block will be executed. If an exception occurs during execution of
// this code, execution will pass to the catch block corresponding to the exception type.
try
{
    processor.Process(input);
}
// If a FormatException is thrown during the try block, then this catch block
// will be executed.
catch (FormatException ex)
{
    // Throw is a keyword that will manually throw an exception, triggering any catch block that is
    // waiting for that exception type.
    throw new InvalidOperationException("Invalid input", ex);
}
// catch can be used to catch all or any specific exceptions. This catch block,
// with no type specified, catches any exception that hasn't already been caught
// in a prior catch block.
catch
{
    LogUnexpectedException();
    throw; // Re-throws the original exception.
}
// The finally block is executed after all try-catch blocks have been; either after the try has
// succeeded in running all commands or after all exceptions have been caught.
finally
{
    processor.Dispose();
}
Note: The return keyword can be used in try block, and the finally block will still be executed (just before
try
{
      connection.Open();
      return connection.Get(query);
}
finally
{
    connection.Close();
}
The statement connection.Close() will execute before the result of connection.Get(query) is returned.
A method with a return type of void can still have the return keyword in its body. This is useful when you want to
exit the method's execution and return the flow to the caller:
      if (condition)
          return;
In an unsafe context, a type may be a pointer type, a value type, or a reference type. A pointer type declaration is
usually type* identifier, where the type is a known type - i.e int* myInt, but can also be void* identifier,
where the type is unknown.
namespace StackOverflow
{
    namespace Documentation
    {
        namespace CSharp.Keywords
        {
Namespaces in C# can also be written in chained syntax. The following is equivalent to above:
namespace StackOverflow.Documentation.CSharp.Keywords
{
    public class Program
    {
        public static void Main()
        {
            Console.WriteLine(typeof(Program).Namespace);
            //StackOverflow.Documentation.CSharp.Keywords
        }
    }
}
int x = 5;
ChangeX(ref x);
// The value of x could be different now
For reference types, the instance in the variable can not only be modified (as is the case without ref), but it can also
be replaced altogether:
The main difference between the out and ref keyword is that ref requires the variable to be initialized by the
caller, while out passes that responsibility to the callee.
To use an out parameter, both the method definition and the calling method must explicitly use the out keyword.
int number = 1;
Console.WriteLine("Before AddByRef: " + number); // number = 1
AddOneByRef(ref number);
Console.WriteLine("After AddByRef: " + number); // number = 2
SetByOut(out number);
Console.WriteLine("After SetByOut: " + number); // number = 34
The following does not compile, because out parameters must have a value assigned before the method returns (it
would compile using ref instead):
out keyword can also be used in generic type parameters when defining generic interfaces and delegates. In this
case, the out keyword specifies that the type parameter is covariant.
     Covariance enables you to use a more derived type than that specified by the generic parameter. This
     allows for implicit conversion of classes that implement variant interfaces and implicit conversion of
     delegate types. Covariance and contravariance are supported for reference types, but they are not
     supported for value types. - MSDN
Choosing a constructor
It is possible to use the base keyword to call a base implementation from any method. This ties the method call
directly to the base implementation, which means that even if new child classes override a virtual method, the base
implementation will still be called so this needs to be used with caution.
          Assert.AreEqual(1, NormalMethod());
          Assert.AreEqual(1, base.VirtualMethod());
     }
}
float is an alias to the .NET datatype System.Single. It allows IEEE 754 single-precision floating point numbers to
be stored. This data type is present in mscorlib.dll which is implicitly referenced by every C# project when you
create them.
Notation:
float f = 0.1259;
var f1 = 0.7895f; // f is literal suffix to represent float values
       It should be noted that the float type often results in significant rounding errors. In applications where
       precision is important, other data types should be considered.
double
double is an alias to the .NET datatype System.Double. It represents a double-precision 64-bit floating-point
number. This datatype is present in mscorlib.dll which is implicitly referenced in any C# project.
Notation:
decimal
decimal is an alias to the .NET datatype System.Decimal. It represents a keyword indicates a 128-bit data type.
Compared to floating-point types, the decimal type has more precision and a smaller range, which makes it
appropriate for financial and monetary calculations. This datatype is present in mscorlib.dll which is implicitly
referenced in any C# project.
The operators comes in three forms: unary operators, binary operators and conversion operators.
Unary and binary operators requires at least one parameter of same type as the containing type, and some
requires a complementary matching operator.
Example
    1. char c = 'c';
    2. char c = '\u0063'; //Unicode
    3. char c = '\x0063'; //Hex
    4. char c = (char)99;//Integral
A char can be implicitly converted to ushort, int, uint, long, ulong, float, double, or decimal and it will
return the integer value of that char.
ushort u = c;
returns 99 etc.
However, there are no implicit conversions from other types to char. Instead you must cast them.
ushort u = 99;
 char c = (char)u;
     return total;
}
This method can now be called with a typical list of int arguments, or an array of ints.
params must appear at most once and if used, it must be last in the argument list, even if the succeeding type is
different to that of the array.
Be careful when overloading functions when using the params keyword. C# prefers matching more specific
overloads before resorting to trying to use overloads with params. For example if you have two methods:
     return total;
}
Then the specific 2 argument overload will take precedence before trying the params overload.
Example:
Output:
A while loop is Entry Controlled, as the condition is checked before the execution of the enclosed code block. This
means that the while loop wouldn't execute its statements if the condition is false.
bool a = false;
while (a == true)
{
    Console.WriteLine("This will never be printed.");
}
Giving a while condition without provisioning it to become false at some point will result in an infinite or endless
loop. As far as possible, this should be avoided, however, there may be some exceptional circumstances when you
need this.
while (true)
{
//...
}
while (true)
{
// ...
}
or
for(;;)
{
// ...
}
into
{
:label
Note that a while loop may have any condition, no matter how complex, as long as it evaluates to (or returns) a
boolean value (bool). It may also contain a function that returns a boolean value (as such a function evaluates to the
same type as an expression such as `a==x'). For example,
while (AgriculturalService.MoreCornToPick(myFarm.GetAddress()))
{
    myFarm.PickCorn();
}
As an expression, it can be used to assign the null reference to variables of the aforementioned types:
object a = null;
string b = null;
int? c = null;
List<int> d = null;
Non-nullable value types cannot be assigned a null reference. All the following assignments are invalid:
int a = null;
float b = null;
decimal c = null;
The null reference should not be confused with valid instances of various types such as:
Output:
     5
     6
     7
     8
     9
Output:
     a
     b
     c
     d
Notation:
string a = "Hello";
var b = "world";
Each character in the string is encoded in UTF-16, which means that each character will require a minimum 2 bytes
of storage space.
     MSDN: The return statement terminates execution of the method in which it appears and returns control
     to the calling method. It can also return an optional value. If the method is a void type, the return
     statement can be omitted.
The purpose of this keyword is to enable the use of the unsafe subset of C# for the block in question. The unsafe
subset includes features like pointers, stack allocation, C-like arrays, and so on.
Unsafe code is not verifiable and that's why its usage is discouraged. Compilation of unsafe code requires passing a
switch to the C# compiler. Additionally, the CLR requires that the running assembly has full trust.
Despite these limitations, unsafe code has valid usages in making some operations more performant (e.g. array
indexing) or easier (e.g. interop with some unmanaged libraries).
void Main()
{
    int[] intArray = new int[] { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
      UnsafeSquareArray(intArray);
      foreach(int i in intArray)
          Console.WriteLine(i);
}
Output:
1
4
9
16
25
36
49
64
81
100
unsafe also allows the use of stackalloc which will allocate memory on the stack like _alloca in the C run-time
library. We can modify the above example to use stackalloc as follows:
     //FIRST OPTION:
     int* p = seedArray; // we don't want to lose where the array starts, so we
                         // create a shadow copy of the pointer
     for(int i=1; i<=len; i++)
         *p++ = i;
     //end of first option
     //SECOND OPTION:
     for(int i=0; i<len; i++)
         seedArray[i] = i+1;
     //end of second option
     UnsafeSquareArray(seedArray, len);
     for(int i=0; i< len; i++)
         Console.WriteLine(seedArray[i]);
}
//Now that we are dealing directly in pointers, we don't need to mess around with
// "fixed", which dramatically simplifies the code
unsafe static void UnsafeSquareArray(int* p, int len)
{
    for (int i = 0; i < len; i++)
        *p *= *p++;
}
switch (month)
{
    case 12:
    case 1:
    case 2:
        Console.WriteLine("Winter");
        break;
    case 3:
    case 4:
    case 5:
        Console.WriteLine("Spring");
        break;
A case can only be labeled by a value known at compile time (e.g. 1, "str", Enum.A), so a variable isn't a valid case
label, but a const or an Enum value is (as well as any literal value).
var i = 10; // implicitly typed, the compiler must determine what type of variable this is
int i = 10; // explicitly typed, the type of variable is explicitly stated to the compiler
// Note that these both represent the same type of variable (int) with the same value (10).
Unlike other types of variables, variable definitions with this keyword need to be initialized when declared. This is
due to the var keyword representing an implicitly-typed variable.
var i;
i = 10;
The var keyword can also be used to create new datatypes on the fly. These new datatypes are known as
anonymous types. They are quite useful, as they allow a user to define a set of properties without having to explicitly
declare any kind of object type first.
     DoStuff(result);
}
     return false;
}
Before the introduction of the when keyword, you could have had one catch clause for each type of exception; with
the addition of the keyword, a more fine-grained control is now possible.
A when expression is attached to a catch branch, and only if the when condition is true, the catch clause will be
executed. It is possible to have several catch clauses with the same exception class types, and different when
conditions.
     // exception filter
     catch (Exception ex) when (ex.Message.Contains("when"))
     {
         Console.WriteLine("Caught an exception with when");
     }
CatchException(Method1);
CatchException(Method2);
     Console.ReadKey();
}
          Task.Delay(3000);
          Console.WriteLine("Done Delaying");
          Console.WriteLine("Leaving");
     }
}
Output:
Entered
Done Delaying
Leaving
Entered
Done Delaying
Leaving
Entered
Done Delaying
Leaving
Use cases:
Whenever you have a block of code that might produce side-effects if executed by multiple threads at the same
time. The lock keyword along with a shared synchronization object (_objLock in the example) can be used to
prevent that.
Note that _objLock can't be null and multiple threads executing the code must use the same object instance
(either by making it a static field, or by using the same class instance for both threads)
From the compiler side, the lock keyword is a syntactic sugar that is replaced by Monitor.Enter(_lockObj); and
Please note: According to Microsoft, it is recommended to use the int datatype wherever possible as the uint
datatype is not CLS-compliant.
int a = 4;
if(a % 2 == 0)
{
     Console.WriteLine("a contains an even number");
}
// output: "a contains an even number"
The if can also have an else clause, that will be executed in case the condition evaluates to false:
int a = 5;
if(a % 2 == 0)
{
     Console.WriteLine("a contains an even number");
}
else
{
     Console.WriteLine("a contains an odd number");
}
// output: "a contains an odd number"
int a = 9;
if(a % 2 == 0)
{
     Console.WriteLine("a contains an even number");
}
else if(a % 3 == 0)
Important to note that if a condition is met in the above example , the control skips other tests and jumps to
the end of that particular if else construct.So, the order of tests is important if you are using if .. else if
construct
C# Boolean expressions use short-circuit evaluation. This is important in cases where evaluating conditions may
have side effects:
It's also important in cases where earlier conditions ensure that it's "safe" to evaluate later ones. For example:
The order is very important in this case because, if we reverse the order:
static can be used with classes, fields, methods, properties, operators, events, and constructors.
While an instance of a class contains a separate copy of all instance fields of the class, there is only one copy of
each static field.
class A
{
    static public int count = 0;
       public A()
       {
           count++;
       }
}
class Program
{
    static void Main(string[] args)
           Console.WriteLine(A.count); // 3
     }
}
The static modifier can also be used to declare a static constructor for a class, to initialize static data or run code
that only needs to be called once. Static constructors are called before the class is referenced for the first time.
class A
{
    static public DateTime InitializationTime;
     // Static constructor
     static A()
     {
         InitializationTime = DateTime.Now;
         // Guaranteed to only run once
         Console.WriteLine(InitializationTime.ToString());
     }
}
A static class is marked with the static keyword, and can be used as a beneficial container for a set of methods
that work on parameters, but don't necessarily require being tied to an instance. Because of the static nature of
the class, it cannot be instantiated, but it can contain a static constructor. Some features of a static class
include:
      Can't be inherited
      Can't inherit from anything other than Object
      Can contain a static constructor but not an instance constructor
      Can only contain static members
      Is sealed
The compiler is also friendly and will let the developer know if any instance members exist within the class. An
example would be a static class that converts between US and Canadian metrics:
all function, properties or members within the class also need to be declared static. No instance of the class can be
created. In essence a static class allows you to create bundles of functions that are grouped together logically.
Since C#6 static can also be used alongside using to import static members and methods. They can be used then
without class name.
using System;
Drawbacks
While static classes can be incredibly useful, they do come with their own caveats:
         Once the static class has been called, the class is loaded into memory and cannot be run through the
         garbage collector until the AppDomain housing the static class is unloaded.
usage:
public
     The type or member can be accessed by any other code in the same assembly or another assembly that
     references it.
private
The type or member can only be accessed by code in the same class or struct.
protected
The type or member can only be accessed by code in the same class or struct, or in a derived class.
internal
The type or member can be accessed by any code in the same assembly, but not from another assembly.
protected internal
     The type or member can be accessed by any code in the same assembly, or by any derived class in
     another assembly.
When no access modifier is set, a default access modifier is used. So there is always some form of access modifier
even if it's not set.
1. using statement:
       The using keyword ensures that objects that implement the IDisposable interface are properly disposed
       after usage. There is a separate topic for the using statement
2. using directive
       The using directive has three usages, see the msdn page for the using directive. There is a separate topic for
       the using directive.
T is called a type parameter. The class definition can impose constraints on the actual types that can be supplied for
T.
       value type
       reference type
       default constructor
       inheritance and implementation
value type
In this case only structs (this includes 'primitive' data types such as int, boolean etc) can be supplied
reference type
Occasionally it is desired to restrict type arguments to those available in a database, and these will usually map to
value types and strings. As all type restrictions must be met, it is not possible to specify where T : struct or
string (this is not valid syntax). A workaround is to restrict type arguments to IConvertible which has built in
types of "... Boolean, SByte, Byte, Int16, UInt16, Int32, UInt32, Int64, UInt64, Single, Double, Decimal, DateTime,
Char, and String." It is possible other objects will implement IConvertible, though this is rare in practice.
default constructor
Only types that contain a default constructor will be allowed. This includes value types and classes that contain a
default (parameterless) constructor
Only types that inherit from a certain base class or implement a certain interface can be supplied.
The previous examples show generic constraints on a class definition, but constraints can be used
anywhere a type argument is supplied: classes, structs, interfaces, methods, etc.
where can also be a LINQ clause. In this case it is analogous to WHERE in SQL:
int[] nums = { 5, 2, 1, 3, 9, 8, 6, 7, 2, 0 };
var query =
    from num in nums
    where num < 5
    select num;
Range: 0 to 18,446,744,073,709,551,615
Overloading the false operator was useful prior to C# 2.0, before the introduction of Nullable types.
A type that overloads the true operator, must also overload the false operator.
namespace ConsoleApplication1
{
    struct Point
    {
        public int X;
        public int Y;
     class Program
     {
         static void Main()
         {
             var point1 = new Point {X = 10, Y = 20};
             // it's not a reference but value type
             var point2 = point1;
             point2.X = 777;
             point2.Y = 888;
             point1.Display(nameof(point1)); // point1: X = 10, Y = 20
             point2.Display(nameof(point2)); // point2: X = 777, Y = 888
                 ReadKey();
            }
     }
}
Structs can also contain constructors, constants, fields, methods, properties, indexers, operators, events, and
nested types, although if several such members are required, you should consider making your type a class instead.
Some suggestions from MS on when to use struct and when to use class:
CONSIDER
defining a struct instead of a class if instances of the type are small and commonly short-lived or are commonly
embedded in other objects.
AVOID
defining a struct unless the type has all of the following characteristics:
        It logically represents a single value, similar to primitive types (int, double, etc.)
        It has an instance size under 16 bytes.
        It is immutable.
        It will not have to be boxed frequently.
For Example:
using System.Runtime.InteropServices;
public class MyClass
{
    [DllImport("User32.dll")]
    private static extern int SetForegroundWindow(IntPtr point);
This uses the SetForegroundWindow method imported from the User32.dll library
This can also be used to define an external assembly alias. which let us to reference different versions of same
components from single assembly.
To reference two assemblies with the same fully-qualified type names, an alias must be specified at a command
prompt, as follows:
/r:GridV1=grid.dll
/r:GridV2=grid20.dll
This creates the external aliases GridV1 and GridV2. To use these aliases from within a program, reference them by
using the extern keyword. For example:
interface IProduct
{
    decimal Price { get; }
}
Delegates can hold static methods, instance methods, anonymous methods, or lambda expressions.
class DelegateExample
{
    public void Run()
    {
        //using class method
        InvokeDelegate( WriteToConsole );
When assigning a method to a delegate it is important to note that the method must have the same return type as
well as parameters. This differs from 'normal' method overloading, where only the parameters define the signature
of the method.
Without the unchecked keyword, neither of the two addition operations will compile.
This is useful as it may help speed up calculations that definitely will not overflow since checking for overflow takes
time, or when an overflow/underflow is desired behavior (for instance, when generating a hash code).
ushort a = 50; // 50
ushort b = 65536; // Error, cannot be converted
ushort c = unchecked((ushort)65536); // Overflows (wraps around to 0)
Section 10.57: in
The in keyword has three uses:
a) As part of the syntax in a foreach statement or as part of the syntax in a LINQ query
c) In the context of LINQ query refers to the collection that is being queried
Section 10.59: do
The do operator iterates over a block of code until a conditional query equals false. The do-while loop can also be
interrupted by a goto, return, break or throw statement.
Example:
int i = 0;
do
{
    Console.WriteLine("Do is on loop number {0}.", i);
} while (i++ < 5);
Output:
Unlike the while loop, the do-while loop is Exit Controlled. This means that the do-while loop would execute its
statements at least once, even if the condition fails the first time.
bool a = false;
do
{
    Console.WriteLine("This will be printed once, even if a is false.");
} while (a == true);
A long variable can hold any value from –9,223,372,036,854,775,808 to 9,223,372,036,854,775,807, and can be
useful in situations which a variable must hold a value that exceeds the bounds of what other variables (such as the
int variable) can hold.
You can optionally specify a specific value for each one (or some of them):
In this example I omitted a value for 0, this is usually a bad practice. An enum will always have a default value
produced by explicit conversion (YourEnumType) 0, where YourEnumType is your declared enume type. Without a
value of 0 defined, an enum will not have a defined value at initiation.
The default underlying type of enum is int, you can change the underlying type to any integral type including byte,
Also note that you can convert to/from underlying type simply with a cast:
For these reasons you'd better always check if an enum is valid when you're exposing library functions:
     // ...
}
File1.cs
namespace A
{
    public partial class Test
    {
        public string Var1 {get;set;}
    }
}
File2.cs
namespace A
{
    public partial class Test
    {
        public string Var2 {get;set;}
    }
}
Note: A class can be split into any number of files. However, all declaration must be under same namespace and
the same assembly.
Methods can also be declared partial using the partial keyword. In this case one file will contain only the method
definition and another file will contain the implementation.
-- MSDN
File1.cs
namespace A
{
    public partial class Test
    {
        public string Var1 {get;set;}
        public partial Method1(string str);
    }
}
File2.cs
namespace A
{
    public partial class Test
    {
        public string Var2 {get;set;}
        public partial Method1(string str)
        {
            Console.WriteLine(str);
        }
    }
}
Note: The type containing the partial method must also be declared partial.
Simple example
     void RaiseEvent()
     {
         var ev = DataChangeEvent;
         if(ev != null)
         {
             ev(this, EventArgs.Empty);
         }
MSDN reference
Valid range is -127 to 127 (the leftover is used to store the sign).
<>:Required
[]:Optional
Don't worry if you can't understand whole syntax,We'll be get familiar with all part of that.for first example consider
following class:
class MyClass
{
    int i = 100;
    public void getMyValue()
    {
        Console.WriteLine(this.i);//Will print number 100 in output
    }
}
in this class we create variable i with int type and with default private Access Modifiers and getMyValue() method
with public access modifiers.
class Animal
{
    public Animal()
    {
        Console.WriteLine("In Animal's constructor");
    }
}
When creating an instance of Dog class, the base classes's default constructor (without parameters) will be
called if there is no explicit call to another constructor in the parent class. In our case, first will be called
Object's constructor, then Animal's and at the end Dog's constructor.
Output will be
     In Animal's constructor
     In Dog's constructor
View Demo
class Animal
{
    protected string name;
         public Animal()
         {
             Console.WriteLine("Animal's default constructor");
         }
base is a reference to the parent class. In our case, when we create an instance of Dog class like this
The runtime first calls the Dog(), which is the parameterless constructor. But its body doesn't work immediately.
After the parentheses of the constructor we have a such call: base(), which means that when we call the default
Dog constructor, it will in turn call the parent's default constructor. After the parent's constructor runs, it will return
and then, finally, run the Dog() constructor body.
You know that members in the parent class which are not private are inherited by the child class, meaning that Dog
will also have the name field.
In this case we passed an argument to our constructor. It in his turn passes the argument to the parent class'
constructor with a parameter, which initializes the name field.
Output will be
Summary:
Every object creation starts from the base class. In the inheritance, the classes which are in the hierarchy are
chained. As all classes derive from Object, the first constructor to be called when any object is created is the Object
class constructor; Then the next constructor in the chain is called and only after all of them are called the object is
created
base keyword
   1. The base keyword is used to access members of the base class from within a derived class:
   2. Call a method on the base class that has been overridden by another method. Specify which base-class
      constructor should be called when creating instances of the derived class.
Now that you have a class that represents Animal in general, you can define a class that describes the peculiarities
of specific animals:
The Cat class gets access to not only the methods described in its definition explicitly, but also all the methods
defined in the general Animal base class. Any Animal (whether or not it was a Cat) could Eat, Stare, or Roll. An
Animal would not be able to Scratch, however, unless it was also a Cat. You could then define other classes
describing other animals. (Such as Gopher with a method for destroying flower gardens and Sloth with no extra
methods at all.)
//Note that in C#, the base class name must come before the interface names
public class Cat : Animal, INoiseMaker
{
    public Cat()
    {
        Name = "Cat";
    }
//Note that in C#, the base class name must come before the interface names
public class Cat : LivingBeing, IAnimal, INoiseMaker
{
    public Cat()
    {
        Name = "Cat";
        HasHair = true;
    }
class Instrument
{
    string type;
    bool clean;
Lets say there are 2 classes class Foo and Bar. Foo has two features Do1 and Do2. Bar needs to use Do1 from Foo, but
it doesn't need Do2 or needs feature that is equivalent to Do2 but does something completely different.
Bad way: make Do2() on Foo virtual then override it in Bar or just throw Exception in Bar for Do2()
Good way
Take out Do1() from Foo and put it into new class Baz then inherit both Foo and Bar from Baz and implement Do2()
separately
Now why first example is bad and second is good: When developer nr2 has to do a change in Foo, chances are he
will break implementation of Bar because Bar is now inseparable from Foo. When doing it by latter example Foo
and Bar commonalty has been moved to Baz and they do not affect each other (like the shouldn't).
An abstract class cannot be instantiated, it must be extended and the resulting class (or derived class) can then be
instantiated.
The above example shows how any class extending Car will automatically receive the HonkHorn method with the
implementation. This means that any developer creating a new Car will not need to worry about how it will honk it's
horn.
interface DerivedInterface {}
class DerivedClass : BaseClass, DerivedInterface {}
Console.WriteLine(derivedType.BaseType.Name); //BaseClass
Console.WriteLine(baseType.BaseType.Name); //Object
Console.WriteLine(typeof(object).BaseType); //null
Console.WriteLine(baseType.IsInstanceOfType(derivedInstance));            //True
Console.WriteLine(derivedType.IsInstanceOfType(baseInstance));            //False
Console.WriteLine(
    string.Join(",",
    derivedType.GetInterfaces().Select(t => t.Name).ToArray()));
//BaseInterface,DerivedInterface
Console.WriteLine(baseInterfaceType.IsAssignableFrom(derivedType)); //True
Console.WriteLine(derivedInterfaceType.IsAssignableFrom(derivedType)); //True
Console.WriteLine(derivedInterfaceType.IsAssignableFrom(baseType)); //False
/// <summary>
/// Generic base class for a tree structure
/// </summary>
/// <typeparam name="T">The node type of the tree</typeparam>
public abstract class Tree<T> where T : Tree<T>
{
    /// <summary>
    /// Constructor sets the parent node and adds this node to the parent's child nodes
    /// </summary>
    /// <param name="parent">The parent node or null if a root</param>
    protected Tree(T parent)
    {
        this.Parent=parent;
        this.Children=new List<T>();
        if(parent!=null)
        {
            parent.Children.Add(this as T);
        }
    }
    public T Parent { get; private set; }
    public List<T> Children { get; private set; }
    public bool IsRoot { get { return Parent==null; } }
    public bool IsLeaf { get { return Children.Count==0; } }
    /// <summary>
    /// Returns the number of hops to the root object
    /// </summary>
    public int Level { get { return IsRoot ? 0 : Parent.Level+1; } }
}
each node class knows where it is in the hierarchy, what the parent object is as well as what the children objects
are. Several built in types use a tree structure, like Control or XmlElement and the above Tree<T> can be used as a
base class of any type in your code.
For example, to create a hierarchy of parts where the total weight is calculated from the weight of all the children,
do the following:
to be used as
// 2.5+(4.2+0.4)+0.9 = 8.0
float weight = Q.TotalWeight;
Another example would in the definition of relative coordinate frames. In this case the true position of the
coordinate frame depends on the positions of all the parent coordinate frames.
to be used as
var A1 = RelativeCoordinate.Start;
var B1 = A1.Add(100, 20);
var B2 = A1.Add(160, 10);
Consider the following generic method. It has one formal parameter and one generic type parameter. There is a
very obvious relationship between them -- the type passed as an argument to the generic type parameter must be
the same as the compile-time type of the argument passed to the formal parameter.
M<object>(new object());
M(new object());
M<string>("");
M("");
M<object>("");
M((object) "");
M("" as object);
Notice that if at least one type argument cannot be inferred, then all of them have to be specified.
Consider the following generic method. The first generic type argument is the same as the type of the formal
argument. But there is no such relationship for the second generic type argument. Therefore, the compiler has no
way of inferring the second generic type argument in any call to this method.
X("");
This doesn't work either, because the compiler isn't sure if we are specifying the first or the second generic
parameter (both would be valid as object):
X<object>("");
X<string, object>("");
class Tuple<T1,T2>
{
   public Tuple(T1 value1, T2 value2)
   {
   }
}
The first way of creating instance without explicitly specifying type parameters will cause compile time error which
would say:
sheep.Eat(grass);
//Output: Grass was eaten by: Herbivore
lion.Eat(sheep);
//Output: Herbivore was eaten by: Carnivore
sheep.Eat(lion);
It won't be possible because the object lion does not implement the interface IFood. Attempting to make the above
call will generate a compiler error: "The type 'Carnivore' cannot be used as type parameter 'TFood' in the generic
type or method 'Animal.Eat(TFood)'. There is no implicit reference conversion from 'Carnivore' to 'IFood'."
class Foo
{
    public Foo () { }
}
class Bar
{
class Factory<T>
    where T : new()
{
    public T Create()
    {
        return new T();
    }
}
The second call to to Create() will give compile time error with following message:
     'Bar' must be a non-abstract type with a public parameterless constructor in order to use it as parameter
     'T' in the generic type or method 'Factory'
There is no constraint for a constructor with parameters, only parameterless constructors are supported.
interface IType;
interface IAnotherType;
class NonGeneric
{
    // T must be a subtype of IType
    public void DoSomething<T>(T arg)
        where T : IType
    {
    }
}
Type constraints works in the same way as inheritance, in that it is possible to specify multiple interfaces as
constraints on the generic type, but only one class:
class A { /* ... */ }
class B { /* ... */ }
interface I1 { }
interface I2 { }
class Generic<T>
    where T : A, I1, I2
{
}
class Generic2<T>
    where T : A, B //Compilation error
{
}
Another rule is that the class must be added as the first constraint and then the interfaces:
class Generic<T>
    where T : A, I1
{
}
class Generic2<T>
    where T : I1, A //Compilation error
{
}
All declared constraints must be satisfied simultaneously for a particular generic instantiation to work. There is no
way to specify two or more alternative sets of constraints.
This approach is better than simply calling Object.Equals() method, because default comparer implementation
checks, whether TBar type implements IEquatale<TBar> interface and if yes, calls IEquatable<TBar>.Equals(TBar
other) method. This allows to avoid boxing/unboxing of value types.
class NameGetter<T>
{
    public string GetTypeName()
    {
        return typeof(T).Name;
    }
}
An instance of a covariant generic type with a given type parameter is implicitly convertible to the same generic
type with a less derived type parameter.
This relationship holds because IEnumerable produces Ts but doesn't consume them. An object that produces Dogs
can be used as if it produces Animals.
Covariant type parameters are declared using the out keyword, because the parameter must be used only as an
output.
using NUnit.Framework;
namespace ToyStore
{
   enum Taste { Bitter, Sweet };
           public Toy Create() { return new Toy { Weight = StandardWeight, Taste = StandardTaste }; }
       }
       [TestFixture]
       public class GivenAToyFactory
       {
          [Test]
          public static void WhenUsingToyFactoryToMakeWidgets()
          {
             var toyFactory = new ToyFactory();
This relationship holds because IComparer consumes Ts but doesn't produce them. An object which can compare
any two Animals can be used to compare two Dogs.
Contravariant type parameters are declared using the in keyword, because the parameter must be used only as an
input.
There is no subtype relationship for lists because you can put values into a list and take values out of a list.
If IList was covariant, you'd be able to add items of the wrong subtype to a given list.
If IList was contravariant, you'd be able to extract values of the wrong subtype from a given list.
IList<Dog> dogs = new List<Animal> { new Dog(), new Giraffe() }; // if this were allowed...
Dog dog = dogs[1]; // ... then this would be allowed, which is bad!
Invariant type parameters are declared by omitting both the in and out keywords.
class MyClass
{
    public T Bad<out T, in T1>(T1 t1)         // not allowed
    {
        // ...
    }
}
The example below shows multiple variance declarations on the same interface
This follows from the Liskov Substitution Principle, which states (among other things) that a method D can be
considered more derived than a method B if:
If a contravariant type appears as an output, the containing type is contravariant. Producing a consumer of Ts is like
consuming Ts.
If a covariant type appears as an input, the containing type is contravariant. Consuming a producer of Ts is like
consuming Ts.
If a contravariant type appears as an input, the containing type is covariant. Consuming a consumer of Ts is like
producing Ts.
// TRef must be a reference type, the use of Int32, Single, etc. is invalid.
// Interfaces are valid, as they are reference types
class AcceptsRefType<TRef>
    where TRef : class
{
    // TStruct must be a value type.
    public void AcceptStruct<TStruct>()
        where TStruct : struct
    {
    }
Second case is when one (or more) of the type parameters is not part of the method parameters:
Initialisation:
Invocation:
There is no need to supply type arguements to a genric method, because the compiler can implicitly infer the type.
int x =10;
int y =20;
string z = "test";
MyGenericMethod(x,y,z);
However, if there is an ambiguity, generic methods need to be called with type arguemnts as
              return result;
          }
        /// <summary>
        /// Converts input to Type of typeparam T
        /// </summary>
        /// <typeparam name="T">typeparam is the type in which value will be returned, it could be
any type eg. int, string, bool, decimal etc.</typeparam>
        /// <param name="input">Input that need to be converted to specified type</param>
        /// <returns>Input is converted in Type of default value or given as typeparam T and
returned</returns>
        public static T To<T>(object input)
        {
            return To(input, default(T));
        }
Usages:
std.Name = Cast.To<string>(drConnection["Name"]);
std.Age = Cast.To<int>(drConnection["Age"]);
std.IsPassed = Cast.To<bool>(drConnection["IsPassed"]);
              return result;
          }
          /// <summary>
          /// Get value from AppSettings by key, convert to Type of default value or typeparam T and
return
        /// </summary>
        /// <typeparam name="T">typeparam is the type in which value will be returned, it could be
any type eg. int, string, bool, decimal etc.</typeparam>
        /// <param name="strKey">key to find value from AppSettings</param>
        /// <returns>AppSettings value against key is returned in Type given as typeparam T</returns>
        public static T GetConfigKeyValue<T>(string strKey)
        {
            return GetConfigKeyValue(strKey, default(T));
        }
Usages:
Standard Dispose cleanup pattern, for objects that implement the IDisposable interface (which the FileStream's
base class Stream does in .NET):
int Foo()
{
    var fileName = "file.txt";
     {
          FileStream disposable = null;
          try
          {
                disposable = File.Open(fileName, FileMode.Open);
              return disposable.ReadByte();
          }
          finally
          {
              // finally blocks are always run
              if (disposable != null) disposable.Dispose();
          }
     }
}
int Foo()
{
    var fileName = "file.txt";
Just like finally blocks always execute regardless of errors or returns, using always calls Dispose(), even in the
event of an error:
int Foo()
{
    var fileName = "file.txt";
Note: Since Dispose is guaranteed to be called irrespective of the code flow, it's a good idea to make sure that
Dispose never throws an exception when you implement IDisposable. Otherwise an actual exception would get
overridden by the new exception resulting in a debugging nightmare.
Because of the semantics of try..finally to which the using block translates, the return statement works as
expected - the return value is evaluated before finally block is executed and the value disposed. The order of
evaluation is as follows:
However, you may not return the variable disposable itself, as it would contain invalid, disposed reference - see
related example.
This looks ok, but the catch is that the LINQ expression evaluation is lazy, and will possibly only be executed later
when the underlying DBContext has already been disposed.
So in short the expression isn't evaluated before leaving the using. One possible solution to this problem, which
still makes use of using, is to cause the expression to evaluate immediately by calling a method that will enumerate
the result. For example ToList(), ToArray(), etc. If you are using the newest version of Entity Framework you could
use the async counterparts like ToListAsync() or ToArrayAsync().
It is important to note, though, that by calling ToList() or ToArray(), the expression will be eagerly evaluated,
meaning that all the persons with the specified age will be loaded to memory even if you do not iterate on them.
An alternative is to write:
Note: Nested using statements might trigger Microsoft Code Analysis rule CS2002 (see this answer for clarification)
and generate a warning. As explained in the linked answer, it is generally safe to nest using statements.
When the types within the using statement are of the same type you can comma-delimit them and specify the type
only once (though this is uncommon):
This can also be used when the types have a shared hierarchy:
The var keyword cannot be used in the above example. A compilation error would occur. Even the comma
separated declaration won't work when the declared variables have types from different hierarchies.
try
{
      using (var disposable = new MyDisposable())
      {
          throw new Exception("Couldn't perform operation.");
      }
}
catch (Exception ex)
{
    Console.WriteLine(ex.Message);
}
You may expect to see "Couldn't perform operation" printed to the Console but you would actually see "Couldn't
dispose successfully." as the Dispose method is still called even after the first exception is thrown.
It is worth being aware of this subtlety as it may be masking the real error that prevented the object from being
disposed and make it harder to debug.
DisposableObject TryOpenFile()
{
    return null;
}
      if(disposable != null)
      {
          // here we are safe because disposable has been checked for null
          disposable.DoSomething();
      }
}
You can then use use this class to define blocks of code that execute in a specific culture.
Note: as we don't use the CultureContext instance we create, we don't assign a variable for it.
These are incredibly important when dealing with any connections that implement the IDisposable interface as it
can ensure the connections are not only properly closed but that their resources are freed after the using
statement is out of scope.
Many of the following are data-related classes that implement the IDisposable interface and are perfect
candidates for a using statement :
      SqlConnection,SqlCommand,SqlDataReader, etc.
      OleDbConnection,OleDbCommand,OleDbDataReader, etc.
      MySqlConnection, MySqlCommand, MySqlDbDataReader, etc.
      DbContext
A common pattern that can be used when accessing your data through an ADO.NET connection might look as
follows :
Or if you were just performing a simple update and didn't require a reader, the same basic concept would apply :
Many ORMs such as Entity Framework expose abstraction classes that are used to interact with underlying
databases in the form of classes like DbContext. These contexts generally implement the IDisposable interface as
well and should take advantage of this through using statements when possible :
The following example shows the constraint of executing under an open SSL connection. This first part would be in
your library or framework, which you won't expose to the client code.
                 if (!sslStream.IsAuthenticated)
                 {
                     throw new SecurityException("SSL tunnel not authenticated");
                 }
                 if (!sslStream.IsEncrypted)
                 {
                     throw new SecurityException("SSL tunnel not encrypted");
                 }
Now the client code which wants to do something under SSL but does not want to handle all the SSL details. You
can now do whatever you want inside the SSL tunnel, for example exchange a symmetric key:
SSLContext.ClientTunnel(tcpClient, this.ExchangeSymmetricKey);
To do this, you need the using() clause because it is the only way (apart from a try..finally block) you can
guarantee the client code (ExchangeSymmetricKey) never exits without properly disposing of the disposable
resources. Without using() clause, you would never know if a routine could break the context's constraint to
dispose of those resources.
For instance:
using UnityEngine;
using System;
This will cause the compiler to be unsure which Random to evaluate the new variable as. Instead, you can do:
using UnityEngine;
using System;
using Random = System.Random;
This doesn't preclude you from calling the other by it's fully qualified namespace, like this:
using UnityEngine;
using System;
using Random = System.Random;
Syntax:
Example:
Allows you to import a specific type and use the type's static members without qualifying them with the type name.
This shows an example using static methods:
// ...
string GetName()
{
    WriteLine("Enter your name.");
    return ReadLine();
}
namespace Geometry
{
    public class Circle
    {
        public double Radius { get; set; };
class Program
{
    public static void Main()
    {
        System.Console.WriteLine("Ignoring usings and specifying full type name");
        Console.WriteLine("Thanks to the 'using System' directive");
        BasicStuff.Console.WriteLine("Namespace aliasing");
        Sayer.WriteLine("Type aliasing");
        WriteLine("Thanks to the 'using static' directive (from C# 6)");
    }
}
//...
var sb = new StringBuilder();
//instead of
var sb = new System.Text.StringBuilder();
//...
var sb = new st.StringBuilder();
//instead of
var sb = new System.Text.StringBuilder();
Remark: According to MS guidelines performance critical code should avoid reflection. See
https://msdn.microsoft.com/en-us/library/ff647790.aspx
GetType is a Method, it has not been inherited. GetHashCode is a Method, it has not been inherited. ToString is a
Method, it has not been inherited. Equals is a Method, it has not been inherited. Equals is a Method, it has not been
inherited. ReferenceEquals is a Method, it has not been inherited. .ctor is a Constructor, it has not been inherited.
We can also use the GetMembers() without passing any BindingFlags. This will return all public members of that
specific type.
One thing to note that GetMembers does not return the members in any particular order, so never rely on the order
that GetMembers returns you.
View Demo
using System;
Output:
hell
View Demo
On the other hand, if the method is static, you do not need an instance to call it.
Output:
7.38905609893065
View Demo
However, even though Activator performance have been improved since .NET 3.5, using
Activator.CreateInstance() is bad option sometimes, due to (relatively) low performance: Test 1, Test 2, Test 3...
You can pass an object array to Activator.CreateInstance if you have more than one parameter.
The MakeGenericType method turns an open generic type (like List<>) into a concrete type (like List<string>) by
applying type arguments to it.
// To create a List<string>
Type[] tArgs = { typeof(string) };
Type target = openType.MakeGenericType(tArgs);
// Get the instance of the desired constructor (here it takes a string as a parameter).
ConstructorInfo c = typeof(T).GetConstructor(new[] { typeof(string) });
// Don't forget to check if such constructor exists
if (c == null)
    throw new InvalidOperationException(string.Format("A constructor for type '{0}' was not
found.", typeof(T)));
T instance = (T)c.Invoke(new object[] { "test" });
Expression trees represent code in a tree-like data structure, where each node is an expression. As MSDN explains:
     Expression is a sequence of one or more operands and zero or more operators that can be evaluated to a
     single value, object, method, or namespace. Expressions can consist of a literal value, a method
     invocation, an operator and its operands, or a simple name. Simple names can be the name of a variable,
     type member, method parameter, namespace or type.
         public GenericFactory()
         {
             _registeredTypes = new Dictionary<TKey, Func<object[], TType>>();
         }
        /// <summary>
        /// Find and register suitable constructor for type
        /// </summary>
        /// <typeparam name="TType"></typeparam>
        /// <param name="key">Key for this constructor</param>
        /// <param name="parameters">Parameters</param>
        public void Register(TKey key, params Type[] parameters)
        {
            ConstructorInfo ci = typeof(TType).GetConstructor(BindingFlags.Public |
BindingFlags.Instance, null, CallingConventions.HasThis, parameters, new ParameterModifier[] { });
// Get the instance of ctor.
            if (ci == null)
                throw new InvalidOperationException(string.Format("Constructor for type '{0}' was
not found.", typeof(TType)));
            lock (_locker)
            {
                if (!_registeredTypes.TryGetValue(key, out ctor)) // check if such ctor already
been registered
                {
                     var pExp = Expression.Parameter(typeof(object[]), "arguments"); // create
parameter Expression
                     var ctorParams = ci.GetParameters(); // get parameter info from constructor
argExpressions[i] = block;
                           }
                           else
                                  argExpressions[i] = Expression.Convert(indexedAcccess, parameters[i]);
          /// <summary>
          /// Returns instance of registered type by key.
          /// </summary>
          /// <typeparam name="TType"></typeparam>
          /// <param name="key"></param>
          /// <param name="args"></param>
          /// <returns></returns>
          public TType Create(TKey key, params object[] args)
          {
              Func<object[], TType> foo;
              if (_registeredTypes.TryGetValue(key, out foo))
              {
                  return (TType)foo(args);
              }
Using FormatterServices.GetUninitializedObject
T instance = (T)FormatterServices.GetUninitializedObject(typeof(T));
In case of using FormatterServices.GetUninitializedObject constructors and field initializers will not be called. It
is meant to be used in serializers and remoting engines
This technique can be extended to properties as well. If we have a class named MyClass with an int property
named MyIntProperty, the code to get a strongly-typed getter would be (the following example assumes 'target' is
a valid instance of MyClass):
Sample sample = new Sample();//or you can get an instance via reflection
For the static method you do not need an instance. Therefore the first argument will also be null.
int newValue = 1;
// set the value myInstance.myProperty to newValue
prop.setValue(myInstance, newValue);
Setting read-only automatically-implemented properties can be done through it's backing field (in .NET Framework
name of backing field is "k__BackingField"):
int newValue = 1;
// set the value of myInstance.myProperty backing field to newValue
fieldInfo.SetValue(myInstance, newValue);
        /// <summary>
        /// Returns the value of a member attribute for any member in a class.
        ///     (a member is a Field, Property, Method, etc...)
        /// <remarks>
        /// If there is more than one member of the same name in the class, it will return the first
one (this applies to overloaded methods)
        /// </remarks>
        /// <example>
        /// Read System.ComponentModel Description Attribute from method 'MyMethodName' in class
'MyClass':
        ///     var Attribute = typeof(MyClass).GetAttribute("MyMethodName", (DescriptionAttribute d)
=> d.Description);
        /// </example>
        /// <param name="type">The class that contains the member as a type</param>
        /// <param name="MemberName">Name of the member in the class</param>
        /// <param name="valueSelector">Attribute type and property to get (will return first
instance if there are multiple attributes of the same type)</param>
        /// <param name="inherit">true to search this member's inheritance chain to find the
attributes; otherwise, false. This parameter is ignored for properties and events</param>
        /// </summary>
        public static TValue GetAttribute<TAttribute, TValue>(this Type type, string MemberName,
Func<TAttribute, TValue> valueSelector, bool inherit = false) where TAttribute : Attribute
        {
            var att =
type.GetMember(MemberName).FirstOrDefault().GetCustomAttributes(typeof(TAttribute),
inherit).FirstOrDefault() as TAttribute;
            if (att != null)
            {
                return valueSelector(att);
            }
            return default(TValue);
        }
Usage
interface IPlugin
{
    string PluginDescription { get; }
    void DoWork();
}
Your application's plugin loader would find the dll files, get all types in those assemblies that implement IPlugin,
and create instances of those.
typeof(KnownType).Assembly.GetType(typeName);
        where typeName is the name of the type you are looking for (including the namespace) , and KnownType is the
        type you know is in the same assembly.
Type t = null;
foreach (Assembly ass in AppDomain.CurrentDomain.GetAssemblies())
{
    if (ass.FullName.StartsWith("System."))
        continue;
    t = ass.GetType(typeName);
    if (t != null)
        break;
}
Notice the check to exclude scanning System namespace assemblies to speed up the search. If your type may
actually be a CLR type, you will have to delete these two lines.
If you happen to have the fully assembly-qualified type name including the assembly you can simply get it with
Type.GetType(fullyQualifiedName);
Let's say someone created an instance of List<T> like that and passes it to a method:
so at compile time you don't have any idea what generic arguments have been used to create o. Reflection provides
a lot of methods to inspect generic types. At first, we can determine if the type of o is a generic type at all:
     Type t = o.GetType();
     if (!t.IsGenericType) return;
     ...
Type.IsGenericType returns true if the type is a generic type and false if not.
But this is not all we want to know. List<> itself is a generic type, too. But we only want to examine instances of
specific constructed generic types. A constructed generic type is for example a List<int> that has a specific type
argument for all its generic parameters.
The Type class provides two more properties, IsConstructedGenericType and IsGenericTypeDefinition, to
distinguish these constructed generic types from generic type definitions:
typeof(List<>).IsGenericType // true
typeof(List<>).IsGenericTypeDefinition // true
typeof(List<int>).IsGenericType // true
typeof(List<int>).IsGenericTypeDefinition // false
typeof(List<int>).IsConstructedGenericType// true
To enumerate the generic arguments of an instance, we can use the GetGenericArguments() method that returns
an Type array containing the generic type arguments:
Int32
Non-nullable
int? a = null;
int b = 3;
var output = a ?? b;
var type = output.GetType();
Output:
Type :System.Int32
View Demo
Nullable
int? a = null;
int? b = null;
var output = a ?? b;
Multiple Coalescing
int? a = null;
int? b = null;
int c = 3;
var output = a ?? b ?? c;
Output:
     Type :System.Int32
     value :3
View Demo
The null coalescing operator can be used in tandem with the null propagation operator to provide safer access to
properties of objects.
object o = null;
var output = o?.ToString() ?? "Default Value";
Output:
     Type :System.String
     value :Default Value
View Demo
if (name == null)
    name = "Unknown!";
The first time the property .FooBars is accessed the _fooBars variable will evaluate as null, thus falling through to
the assignment statement assigns and evaluates to the resulting value.
Thread safety
This is not thread-safe way of implementing lazy properties. For thread-safe laziness, use the Lazy<T> class built
into the .NET Framework.
Note that since C# 6, this syntax can be simplified using expression body for the property:
Subsequent accesses to the property will yield the value stored in the _fooBars variable.
This is often used when implementing commands in the MVVM pattern. Instead of initializing the commands
eagerly with the construction of a viewmodel, commands are lazily initialized using this pattern as follows:
If you use Visual Studio, go to Tools/Nuget Package Manager/Manage Package to Solution/ and type "Newtonsoft" into
the search bar and install the package. If you don't have NuGet, this detailed tutorial might help you.
     Serialization: Process of converting a object into a stream of bytes that can be sent through applications.
     The following code can be serialized and converted into the previous json.
     Deserialization: Process of converting a json/stream of bytes into an object. Its exactly the opposite
     process of serialization. The previous json can be deserialized into an C# object as demonstrated in
     examples below.
To work this out, it is important to turn the json structure into classes in order to use processes already described.
If you use Visual Studio, you can turn a json into a class automatically just by selecting "Edit/Paste Special/Paste JSON
as Classes" and pasting the json structure.
    class Author
{
     [JsonProperty("id")] // Set the variable below to represent the json attribute
     public int id;       //"id"
     [JsonProperty("name")]
     public string name;
     [JsonProperty("type")]
     public string type;
     [JsonProperty("books")]
     public Book[] books;
  class Book
{
     [JsonProperty("name")]
     public string name;
     [JsonProperty("date")]
     public DateTime date;
}
The method ".SerializeObject" receives as parameter a type object, so you can put anything into it.
The method ".DeserializeObject" deserializes 'jsonExample' into an "Author" object. This is why it is important to set
the json variables in the classes definition, so the method access it in order to fill it.
namespace Framework
{
public static class IGUtilities
{
        public static string Serialization(this T obj)
        {
        string data = JsonConvert.SerializeObject(obj);
        return data;
        }
While some method chaining may require an entire set to be worked prior to moving on, LINQ takes advantage of
deferred execution by using yield return MSDN which creates an Enumerable and an Enumerator behind the
scenes. The process of chaining in LINQ is essentially building an enumerable (iterator) for the original set -- which
is deferred -- until materialized by enumerating the enumerable.
This allows these functions to be fluently chained wiki, where one function can act directly on the result of another.
This style of code can be used to perform many sequence based operations in a single statement.
For example, it's possible to combine SELECT, Where and OrderBy to transform, filter and sort a sequence in a single
statement.
var someNumbers = { 4, 3, 2, 1 };
Output:
     2
     4
     8
Any functions that both extend and return the generic IEnumerable<T> type can be used as chained clauses in a
single statement. This style of fluent programming is powerful, and should be considered when creating your own
extension methods.
Depending on the number of elements that match the predicate or, if no predicate is supplied, the number of
elements in the source sequence, they behave as follows:
First()
          Returns the first element of a sequence, or the first element matching the provided predicate.
          If the sequence contains no elements, an InvalidOperationException is thrown with the message:
          "Sequence contains no elements".
          If the sequence contains no elements matching the provided predicate, an InvalidOperationException is
          thrown with the message "Sequence contains no matching element".
Example
// Returns "a":
new[] { "a" }.First();
// Returns "a":
new[] { "a", "b" }.First();
// Returns "b":
new[] { "a", "b" }.First(x => x.Equals("b"));
// Returns "ba":
new[] { "ba", "be" }.First(x => x.Contains("b"));
// Throws InvalidOperationException:
new[] { "ca", "ce" }.First(x => x.Contains("b"));
// Throws InvalidOperationException:
new string[0].First();
FirstOrDefault()
          Returns the first element of a sequence, or the first element matching the provided predicate.
          If the sequence contains no elements, or no elements matching the provided predicate, returns the default
          value of the sequence type using default(T).
Example
// Returns "a":
new[] { "a" }.FirstOrDefault();
// Returns "a":
new[] { "a", "b" }.FirstOrDefault();
// Returns "ba":
new[] { "ba", "be" }.FirstOrDefault(x => x.Contains("b"));
// Returns null:
new[] { "ca", "ce" }.FirstOrDefault(x => x.Contains("b"));
// Returns null:
new string[0].FirstOrDefault();
Last()
         Returns the last element of a sequence, or the last element matching the provided predicate.
         If the sequence contains no elements, an InvalidOperationException is thrown with the message
         "Sequence contains no elements."
         If the sequence contains no elements matching the provided predicate, an InvalidOperationException is
         thrown with the message "Sequence contains no matching element".
Example
// Returns "a":
new[] { "a" }.Last();
// Returns "b":
new[] { "a", "b" }.Last();
// Returns "a":
new[] { "a", "b" }.Last(x => x.Equals("a"));
// Returns "be":
new[] { "ba", "be" }.Last(x => x.Contains("b"));
// Throws InvalidOperationException:
new[] { "ca", "ce" }.Last(x => x.Contains("b"));
// Throws InvalidOperationException:
new string[0].Last();
LastOrDefault()
         Returns the last element of a sequence, or the last element matching the provided predicate.
         If the sequence contains no elements, or no elements matching the provided predicate, returns the default
         value of the sequence type using default(T).
Example
// Returns "a":
new[] { "a" }.LastOrDefault();
// Returns "b":
new[] { "a", "b" }.LastOrDefault();
// Returns "a":
new[] { "a", "b" }.LastOrDefault(x => x.Equals("a"));
// Returns "be":
// Returns null:
new[] { "ca", "ce" }.LastOrDefault(x => x.Contains("b"));
// Returns null:
new string[0].LastOrDefault();
Single()
      If the sequence contains exactly one element, or exactly one element matching the provided predicate, that
      element is returned.
      If the sequence contains no elements, or no elements matching the provided predicate, an
      InvalidOperationException is thrown with the message "Sequence contains no elements".
      If the sequence contains more than one element, or more than one element matching the provided
      predicate, an InvalidOperationException is thrown with the message "Sequence contains more than one
      element".
      Note: in order to evaluate whether the sequence contains exactly one element, at most two elements has to
      be enumerated.
Example
// Returns "a":
new[] { "a" }.Single();
// Returns "b":
new[] { "a", "b" }.Single(x => x.Equals("b"));
// Throws InvalidOperationException:
new[] { "a", "b" }.Single(x => x.Equals("c"));
// Throws InvalidOperationException:
new string[0].Single();
SingleOrDefault()
      If the sequence contains exactly one element, or exactly one element matching the provided predicate, that
      element is returned.
      If the sequence contains no elements, or no elements matching the provided predicate, default(T) is
      returned.
      If the sequence contains more than one element, or more than one element matching the provided
      predicate, an InvalidOperationException is thrown with the message "Sequence contains more than one
      element".
      If the sequence contains no elements matching the provided predicate, returns the default value of the
      sequence type using default(T).
      Note: in order to evaluate whether the sequence contains exactly one element, at most two elements has to
      be enumerated.
Example
// Returns "a":
new[] { "a" }.SingleOrDefault();
// Returns null:
new[] { "a", "b" }.SingleOrDefault(x => x == "c");
// Throws InvalidOperationException:
new[] { "a", "a" }.SingleOrDefault(x => x == "a");
// Throws InvalidOperationException:
new[] { "a", "b" }.SingleOrDefault();
// Returns null:
new string[0].SingleOrDefault();
Recommendations
         Although you can use FirstOrDefault, LastOrDefault or SingleOrDefault to check whether a sequence
         contains any items, Any or Count are more reliable. This is because a return value of default(T) from one of
         these three methods doesn't prove that the sequence is empty, as the value of the first / last / single element
         of the sequence could equally be default(T)
         Decide on which methods fits your code's purpose the most. For instance, use Single only if you must
         ensure that there is a single item in the collection matching your predicate — otherwise use First; as Single
         throw an exception if the sequence has more than one matching element. This of course applies to the
         "*OrDefault"-counterparts as well.
         Regarding efficiency: Although it's often appropriate to ensure that there is only one item (Single) or, either
         only one or zero (SingleOrDefault) items, returned by a query, both of these methods require more, and
         often the entirety, of the collection to be examined to ensure there in no second match to the query. This is
         unlike the behavior of, for example, the First method, which can be satisfied after finding the first match.
Example:
int[] first = { 1, 2, 3, 4 };
int[] second = { 0, 2, 3, 5 };
Output:
     1
     4
In this case .Except(second) excludes elements contained in the array second, namely 2 and 3 (0 and 5 are not
contained in the first array and are skipped).
int[] third = { 1, 1, 1, 2, 3, 4 };
Output:
     1
     4
Implementing IEquatable or providing the function an IEqualityComparer will allow using a different method to
compare the elements. Note that the GetHashCode method should also be overridden so that it will return an
identical hash code for object that are identical according to the IEquatable implementation.
Output:
Hanukkah
If you use a selector function which turns input elements into sequences, the result will be the elements of those
sequences returned one by one.
Note that, unlike SELECT(), the number of elements in the output doesn't need to be the same as were in the input.
class School
{
    public Student[] Students { get; set; }
}
class Student
{
    public string Name { get; set; }
}
Output:
Bob
1. Empty parameter
Any: Returns true if the collection has any elements and false if the collection is empty:
Any: Returns true if the collection has one or more elements that meet the condition in the lambda expression:
3. Empty collection
Any: Returns false if the collection is empty and a lambda expression is supplied:
Note: Any will stop iteration of the collection as soon as it finds an element matching the condition. This means that
the collection will not necessarily be fully enumerated; it will only be enumerated far enough to find the first item
matching the condition.
// Result: {"a","a"}
//         {"c","c"}
// Result: {"a","a"}
//         {"b", null}
//         {"c","c"}
// Result: {"a","a"}
//         {"c","c"}
//         {null,"d"}
Cross Join
var CrossJoin = from f in first
                from s in second
                select new { f, s };
// Result: {"a","a"}
//         {"a","c"}
//         {"a","d"}
//         {"b","a"}
//         {"b","c"}
//         {"b","d"}
// Result: {"a","a"}
//         {"b", null}
//         {"c","c"}
//         {null,"d"}
Practical example
The examples above have a simple data structure so you can focus on understanding the different LINQ joins
technically, but in the real world you would have tables with columns you need to join.
In the following example, there is just one class Region used, in reality you would join two or more different tables
which hold the same key (in this example first and second are joined via the common key ID).
// Left data
var first = new List<Region>()
                 { new Region(1), new Region(3), new Region(4) };
// Right data
var second = new List<Region>()
                 {
                    new Region(1, "Eastern"), new Region(2, "Western"),
                    new Region(3, "Northern"), new Region(4, "Southern")
                 };
You can see that in this example first doesn't contain any region descriptions so you want to join them from
second. Then the inner join would look like:
  // Result: {1,"Eastern"}
  //         {3, Northern}
  //         {4,"Southern"}
The Take method returns a collection containing a number of elements from the beginning of the source collection.
The number of items included is the number given as an argument. If there are less items in the collection than
specified in the argument then the collection returned will contain the same elements as the source collection.
Skip and Take are commonly used together to paginate results, for instance:
      Warning: LINQ to Entities only supports Skip on ordered queries. If you try to use Skip without ordering
      you will get a NotSupportedException with the message "The method 'Skip' is only supported for sorted
      input in LINQ to Entities. The method 'OrderBy' must be called before the method 'Skip'."
int[] numbers = { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 };
Output:
View Demo
int[] numbers = { 3, 5, 7 };
string[] words = { "three", "five", "seven", "ignored" };
IEnumerable<string> zip = numbers.Zip(words, (n, w) => n + "=" + w);
Output:
      3=three
      5=five
      7=seven
View Demo
Range
// Generate a collection containing the numbers 1-100 ([1, 2, 3, ..., 98, 99, 100])
var range = Enumerable.Range(1,100);
Repeat
We can "query" on this data using LINQ syntax. For example, to retrieve all students who have a snack today:
Or, to retrieve students with a grade of 90 or above, and only return their names, not the full Student object:
The LINQ feature is comprised of two syntaxes that perform the same functions, have nearly identical performance,
but are written very differently. The syntax in the example above is called query syntax. The following example,
however, illustrates method syntax. The same data will be returned as in the example above, but the way the
query is written is different.
1. Empty parameter
3. Empty collection
All: Returns true if the collection is empty and a lambda expression is supplied:
Note: All will stop iteration of the collection as soon as it finds an element not matching the condition. This means
that the collection will not necessarily be fully enumerated; it will only be enumerated far enough to find the first
item not matching the condition.
int[] intList = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
int sum = intList.Aggregate((prevSum, current) => prevSum + current);
// sum = 55
A second overload of Aggregate also receives an seed parameter which is the initial accumulator value. This can be
used to calculate multiple conditions on a collection without iterating it more than once.
Note that using an anonymous type as the seed one has to instantiate a new object each item because the properties are
read only. Using a custom class one can simply assign the information and no new is needed (only when giving the initial
seed parameter
int[] array = { 1, 2, 3, 4, 2, 5, 3, 1, 2 };
To compare a custom data type, we need to implement the IEquatable<T> interface and provide GetHashCode and
Equals methods for the type. Or the equality comparer may be overridden:
List<Person> people;
distinct = people.Distinct(SSNEqualityComparer);
Use SelectMany() if you have, or you are creating a sequence of sequences, but you want the result as one long
sequence.
If you have a collection of collections and would like to be able to work on data from parent and child collection at
the same time, it is also possible with SelectMany.
Now we want to select comments Content along with Id of BlogPost associated with this comment. In order to do
so, we can use appropriate SelectMany overload.
var commentsWithIds = posts.SelectMany(p => p.Comments, (post, comment) => new { PostId = post.Id,
CommentContent = comment.Content });
{
     PostId = 1,
     CommentContent = "It's really great!"
},
{
     PostId = 1,
Simple Example
In this first example, we end up with two groups, odd and even items.
Let's take grouping a list of people by age as an example. First, we'll create a Person object which has two
properties, Name and Age.
Then we create our sample list of people with various names and ages.
20
Mouse
30
Neo
Trinity
40
Morpheus
Dozer
Smith
Using OfType
Using Where
var foos = collection.Where(item => item is Foo); // result: IEnumerable<IFoo> with item0 and item1
var bars = collection.Where(item => item is Bar); // result: IEnumerable<IFoo> with item2 and item3
Using Cast
This underlying interface is inherited by all of the generic collections, such as Collection<T>, Array, List<T>,
Dictionary<TKey, TValue> Class, and HashSet<T>.
In addition to representing the sequence, any class that inherits from IEnumerable<T> must provide an
IEnumerator<T>. The enumerator exposes the iterator for the enumerable, and these two interconnected
interfaces and ideas are the source of the saying "enumerate the enumerable".
"Enumerating the enumerable" is an important phrase. The enumerable is simply a structure for how to iterate, it
does not hold any materialized objects. For example, when sorting, an enumerable may hold the criteria of the field
to sort, but using .OrderBy() in itself will return an IEnumerable<T> which only knows how to sort. Using a call
which will materialize the objects, as in iterate the set, is known as enumerating (for example .ToList()). The
enumeration process will use the the enumerable definition of how in order to move through the series and return
the relevant objects (in order, filtered, projected, etc.).
Only once the enumerable has been enumerated does it cause the materialization of the objects, which is when
metrics like time complexity (how long it should take related to series size) and spacial complexity (how much space
it should use related to series size) can be measured.
Creating your own class that inherits from IEnumerable<T> can be a little complicated depending on the underlying
series that needs to be enumerable. In general it is best to use one of the existing generic collections. That said, it is
also possible to inherit from the IEnumerable<T> interface without having a defined array as the underlying
structure.
For example, using the Fibonacci series as the underlying sequence. Note that the call to Where simply builds an
IEnumerable, and it is not until a call to enumerate that enumerable is made that any of the values are materialized.
void Main()
{
    Fibonacci Fibo = new Fibonacci();
    IEnumerable<long> quadrillionplus = Fibo.Where(i => i > 1000000000000);
    Console.WriteLine("Enumerable built");
    Console.WriteLine(quadrillionplus.Take(2).Sum());
    Console.WriteLine(quadrillionplus.Skip(2).First());
Output
Enumerable built
Enumerating the Enumerable
4052739537881
Enumerating the Enumerable
4052739537881
Enumerable built
Enumerating the Enumerable
14930352
The strength in the second set (the fibMod612) is that even though we made the call to order our entire set of
Fibonacci numbers, since only one value was taken using .First() the time complexity was O(n) as only 1 value
needed to be compared during the ordering algorithm's execution. This is because our enumerator only asked for 1
value, and so the entire enumerable did not have to be materialized. Had we used .Take(5) instead of .First()
the enumerator would have asked for 5 values, and at most 5 values would need to be materialized. Compared to
needing to order an entire set and then take the first 5 values, the principle of saves a lot of execution time and
space.
Select Example
Where Example
In this example, 100 numbers will be generated and even ones will be extracted
List<string> trees = new List<string>{ "Oak", "Birch", "Beech", "Elm", "Hazel", "Maple" };
Method syntax
// Select all trees with name of length 3
var shortTrees = trees.Where(tree => tree.Length == 3); // Oak, Elm
Query syntax
var shortTrees = from tree in trees
                 where tree.Length == 3
                 select tree; // Oak, Elm
if you want to output all permutations you could use nested loops like
//Using the Person's Equals method - override Equals() and GetHashCode() - otherwise it
//will compare by reference and result will be false
var result4 = objects.Contains(new Person { Name = "Phil" }); // true
Do this:
      new Customer() {
          Id = Guid.NewGuid().ToString(),
          Name = "Customer2"
      }
 };
      new Purchase() {
          Id = Guid.NewGuid().ToString(),
          CustomerId = customers[0].Id,
          Description = "Customer1-Purchase2"
      },
      new Purchase() {
          Id = Guid.NewGuid().ToString(),
          CustomerId = customers[1].Id,
          Description = "Customer2-Purchase1"
      },
      new Purchase() {
          Id = Guid.NewGuid().ToString(),
        new PurchaseItem() {
            Id = Guid.NewGuid().ToString(),
            PurchaseId= purchases[1].Id,
            Detail = "Purchase2-PurchaseItem1"
        },
        new PurchaseItem() {
            Id = Guid.NewGuid().ToString(),
            PurchaseId= purchases[1].Id,
            Detail = "Purchase2-PurchaseItem2"
        },
        new PurchaseItem() {
            Id = Guid.NewGuid().ToString(),
            PurchaseId= purchases[3].Id,
            Detail = "Purchase3-PurchaseItem1"
        }
 };
     var query =
         from s in stringProps
         join b in builderProps
             on new { s.Name, s.PropertyType } equals new { b.Name, b.PropertyType }
         select new
         {
             s.Name,
             s.PropertyType,
             StringToken = s.MetadataToken,
             StringBuilderToken = b.MetadataToken
         };
Note that anonymous types in above join must contain same properties since objects are considered equal only if
all their properties are equal. Otherwise query won't compile.
     ToLookup returns a data structure that allows indexing. It is an extension method. It produces an ILookup
     instance that can be indexed or enumerated using a foreach-loop. The entries are combined into
     groupings at each key. - dotnetperls
Another Example:
Ascending:
Query Syntax
var sortedNames =
    from name in names
    orderby name
    select name;
Method Syntax
Descending:
Query Syntax
var sortedNames =
    from name in names
    orderby name descending
    select name;
Method Syntax
Person[] people =
{
    new Person { FirstName     =   "Steve",   LastName   =   "Collins", Age = 30},
    new Person { FirstName     =   "Phil" ,   LastName   =   "Collins", Age = 28},
    new Person { FirstName     =   "Adam" ,   LastName   =   "Ackerman", Age = 29},
    new Person { FirstName     =   "Adam" ,   LastName   =   "Ackerman", Age = 15}
};
Query Syntax
Method Syntax
Result
1.   Adam Ackerman   29
2.   Adam Ackerman   15
3.   Phil Collins    28
4.   Steve Collins   30
In case the collection's elements are themselves numbers, you can calculate the sum directly.
In case the type of the elements is a complex type, you can use a lambda expression to specify the value that
should be calculated:
         Int32
         Int64
         Single
         Double
         Decimal
In case your collection contains nullable types, you can use the null-coalescing operator to set a default value for
null elements:
foreach    (var grp in films.GroupBy(f => new { Category = f.Category, Year = f.Year })) {
    var    groupCategory = grp.Key.Category;
    var    groupYear = grp.Key.Year;
    var    numberOfFilmsInCategory = grp.Count();
}
When the value is an integer, double or float it starts with the minimum value, which means that you get first the
negative values, than zero and afterwords the positive values (see Example 1).
When you order by a char the method compares the ascii values of the chars to sort the collection (see Example 2).
When you sort strings the OrderBy method compares them by taking a look at their CultureInfo but normaly
starting with the first letter in the alphabet (a,b,c...).
This kind of order is called ascending, if you want it the other way round you need descending (see
OrderByDescending).
Example 1:
Example 2:
  char[] letters = {' ', '!', '?', '[', '{', '+', '1', '9', 'a', 'A', 'b', 'B', 'y', 'Y', 'z', 'Z'};
  IEnumerable<char> ascending = letters.OrderBy(x => x);
  // returns { ' ', '!', '+', '1', '9', '?', 'A', 'B', 'Y', 'Z', '[', 'a', 'b', 'y', 'z', '{' }
Example:
class Person
{
   public string Name { get; set; }
   public int Age { get; set; }
}
if (myEnumerable.Any(t=>t.Foo == "Bob"))
{
    var myFoo = myEnumerable.First(t=>t.Foo == "Bob");
    //Do stuff
}
By using the second example, the collection is searched only once and give the same result as the first one. The
same idea can be applied to Single.
If you want to calculate category wise sum of amount and count, you can use GroupBy as follows:
int[] numbers = { 1, 2, 3, 4, 5 };
numbers.ElementAt(2); // 3
numbers.ElementAt(10); // throws ArgumentOutOfRangeException
ElementAtOrDefault will return the item at index n. If n is not within the range of the enumerable, returns a
default(T).
Both ElementAt and ElementAtOrDefault are optimized for when the source is an IList<T> and normal indexing
will be used in those cases.
Note that for ElementAt, if the provided index is greater than the size of the IList<T>, the list should (but is
technically not guaranteed to) throw an ArgumentOutOfRangeException.
With DefaultIfEmpty the traditional Linq Join can return a default object if no match was found. Thus acting as a
SQL's Left Join. Example:
output:
Num   =   99           Char   =   c
Num   =   100          Char   =   d
Num   =   5            Char   =   ?
Num   =   20           Char   =   ?
Num   =   102          Char   =   ?
Num   =   105          Char   =   i
In the case where a DefaultIfEmpty is used (without specifying a default value) and that will result will no matching
In this example, the single argument passed to ToDictionary is of type Func<TSource, TKey>, which returns the
key for each element.
You can also pass a second parameter to the ToDictionary method, which is of type Func<TSource, TElement>
and returns the Value to be added for each entry.
It is also possible to specify the IComparer that is used to compare key values. This can be useful when the key is a
string and you want it to match case-insensitive.
Note: the ToDictionary method requires all keys to be unique, there must be no duplicate keys. If there are, then
an exception is thrown: ArgumentException: An item with the same key has already been added. If you have
a scenario where you know that you will have multiple elements with the same key, then you are better off using
ToLookup instead.
This example splits the items in an IEnumerable<T> into lists of a fixed size, the last list containing the remainder of
the items. Notice how the object to which the extension method is applied is passed in (argument source) as the
initial argument using the this keyword. Then the yield keyword is used to output the next item in the output
IEnumerable<T> before continuing with execution from that point (see yield keyword).
//using MyNamespace;
var items = new List<int> { 2, 3, 4, 5, 6 };
foreach (List<int> sublist in items.Batch(3))
{
    // do something
}
On the first loop, sublist would be {2, 3, 4} and on the second {5, 6}.
Custom LinQ methods can be combined with standard LinQ methods too. e.g.:
//using MyNamespace;
var result = Enumerable.Range(0, 13)         // generate a list
                       .Where(x => x%2 == 0) // filter the list or do something other
                       .Batch(3)             // call our extension method
                       .ToList()             // call other standard methods
This query will return even numbers grouped in batches with a size of 3: {0, 2, 4}, {6, 8, 10}, {12}
Remember you need a using MyNamespace; line in order to be able to access the extension method.
List<String> trees = new List<String>{ "Oak", "Birch", "Beech", "Elm", "Hazel", "Maple" };
//The below select stament transforms each element in tree into its first character.
IEnumerable<String> initials = trees.Select(tree => tree.Substring(0, 1));
foreach (String initial in initials) {
    System.Console.WriteLine(initial);
}
Output:
     O
     B
     B
     E
     H
     M
When the value is an integer, double or float it starts with the maximal value, which means that you get first the
positive values, than zero and afterwords the negative values (see Example 1).
When you order by a char the method compares the ascii values of the chars to sort the collection (see Example 2).
When you sort strings the OrderBy method compares them by taking a look at their CultureInfo but normaly
starting with the last letter in the alphabet (z,y,x,...).
This kind of order is called descending, if you want it the other way round you need ascending (see OrderBy).
Example 1:
Example 2:
char[] letters = {' ', '!', '?', '[', '{', '+', '1', '9', 'a', 'A', 'b', 'B', 'y', 'Y', 'z', 'Z'};
IEnumerable<char> descending = letters.OrderByDescending(x => x);
// returns { '{', 'z', 'y', 'b', 'a', '[', 'Z', 'Y', 'B', 'A', '?', '9', '1', '+', '!', ' ' }
Example 3:
class Person
{
   public string Name { get; set; }
   public int Age { get; set; }
}
int[] numbers1 = { 1, 2, 3 };
int[] numbers2 = { 2, 3, 4, 5 };
var groupJoinQuery =
    from c in customers
    join p in purchases on c.ID equals p.CustomerID
    into custPurchases
    select new
    {
        CustName = c.Name,
        custPurchases
    };
All – used to determine whether all the elements in a sequence satisfy a condition. Eg:
Any - used to determine whether any elements in a sequence satisfy a condition. Eg:
//for a string
var stringValue="hello";
stringValue.Contains("h");
Example:
// Create an array.
int[] array = { 1, 2, 3, 4 };                                  //Output:
// Call reverse extension method on the array.                //4
var reverse = array.Reverse();                                 //3
// Write contents of array to screen.                         //2
foreach (int value in reverse)                                 //1
    Console.WriteLine(value);
Remeber that Reverse() may work diffrent depending on the chain order of your LINQ statements.
           //reverseFirst output: 6, 5
           //reverseLast output: 2, 1
Reverse() works by buffering everything then walk through it backwards, whitch is not very efficient, but neither is
OrderBy from that perspective.
In LINQ-to-Objects, there are buffering operations (Reverse, OrderBy, GroupBy, etc) and non-buffering operations
(Where, Take, Skip, etc).
This method can encounter problems if u mutate the list while iterating.
int[] array = { 1, 2, 3, 4, 2, 5, 3, 1, 2 };
LongCount works the same way as Count but has a return type of long and is used for counting IEnumerable<T>
sequences that are longer than int.MaxValue
     if (!search.Years.Contains("all", StringComparer.OrdinalIgnoreCase))
         query = query.Where(v => search.Years.Contains(v.Year));
     if (!search.Makes.Contains("all", StringComparer.OrdinalIgnoreCase)) {
         query = query.Where(v => search.Makes.Contains(v.Make));
     }
     if (!search.Models.Contains("all", StringComparer.OrdinalIgnoreCase)) {
         query = query.Where(v => search.Models.Contains(v.Model));
     }
     if (!search.Cylinders.Equals("all", StringComparer.OrdinalIgnoreCase)) {
         decimal minCylinders = 0;
         decimal maxCylinders = 0;
         switch (search.Cylinders) {
             case "2-4":
                 maxCylinders = 4;
                 break;
     switch (search.SortingColumn.ToLower()) {
         case "make_model":
             query = query.OrderBy(v => v.Make).ThenBy(v => v.Model);
             break;
         case "year":
             query = query.OrderBy(v => v.Year);
             break;
         case "engine_size":
             query = query.OrderBy(v => v.EngineSize).ThenBy(v => v.Cylinders);
             break;
         default:
             query = query.OrderBy(v => v.Year); //The default sorting.
     }
Once we have the query object, we can evaluate the results with a foreach loop, or one of the LINQ methods that
returns a set of values, such as ToList or ToArray:
SearchModel sm;
And data:
A tuple is an ordered, finite list of elements. Tuples are commonly used in programming as a means to work with
one single entity collectively instead of individually working with each of the tuple's elements, and to represent
individual rows (ie. "records") in a relational database.
In C# 7.0, methods can have multiple return values. Behind the scenes, the compiler will use the new ValueTuple
struct.
Side note: for this to work in Visual Studio 2017, you need to get the System.ValueTuple package.
If a tuple-returning method result is assigned to a single variable you can access the members by their defined
names on the method signature:
Tuple Deconstruction
For example, invoking GetTallies and assigning the return value to two separate variables deconstructs the tuple
into those two variables:
You can also use shorter syntax, with var outside of ():
int s, c;
Interestingly, any object can be deconstructed by defining a Deconstruct method in the class:
class Person
{
    public string FirstName { get; set; }
    public string LastName { get; set; }
In this case, the (localFirstName, localLastName) = person syntax is invoking Deconstruct on the person.
Deconstruction can even be defined in an extension method. This is equivalent to the above:
An alternative approach for the Person class is to define the Name itself as a Tuple. Consider the following:
class Person
{
    public (string First, string Last) Name { get; }
Then you can instantiate a person like so (where we can take a tuple as an argument):
Tuple Initialization
Console.WriteLine(name.Item2);
// Outputs Smith
When creating a tuple, you can assign ad-hoc item names to the members of the tuple:
Type inference
Multiple tuples defined with the same signature (matching types and count) will be inferred as matching types. For
example:
stats can be returned since the declaration of the stats variable and the method's return signature are a match.
Member names do not exist at runtime. Reflection will consider tuples with the same number and types of
members the same even if member names do not match. Converting a tuple to an object and then to a tuple with
the same member types, but different names, will not cause an exception either.
While the ValueTuple class itself does not preserve information for member names the information is available
through reflection in a TupleElementNamesAttribute. This attribute is not applied to the tuple itself but to method
parameters, return values, properties and fields. This allows tuple item names to be preserved across assemblies
i.e. if a method returns (string name, int count) the names name and count will be available to callers of the method
in another assembly because the return value will be marked with TupleElementNameAttribute containing the
values "name" and "count".
The new tuple features (using the underlying ValueTuple type) fully support generics and can be used as generic
type parameter. That makes it possible to use them with the async/await pattern:
Example:
     if (result == null)
         throw new ArgumentException("combo not found");
     return result.Item3;
}
     if (result == null)
         throw new ArgumentException("combo not found");
     return result.foundValue;
}
Though the naming on the example tuple above is pretty generic, the idea of relevant labels allows for a deeper
understanding of what is being attempted in the code over referencing "item1", "item2", and "item3".
Example
double GetCylinderVolume(double radius, double height)
{
    return getVolume();
     double getVolume()
     {
         // You can declare inner-local functions in a local function
         double GetCircleArea(double r) => Math.PI * r * r;
          // ALL parents' variables are accessible even though parent doesn't have any input.
          return GetCircleArea(radius) * height;
     }
}
Local functions considerably simplify code for LINQ operators, where you usually have to separate argument
checks from actual logic to make argument checks instant, not delayed until after iteration started.
Example
public static IEnumerable<TSource> Where<TSource>(
    this IEnumerable<TSource> source,
    Func<TSource, bool> predicate)
{
    if (source == null) throw new ArgumentNullException(nameof(source));
    if (predicate == null) throw new ArgumentNullException(nameof(predicate));
return iterator();
     IEnumerable<TSource> iterator()
     {
         foreach (TSource element in source)
             if (predicate(element))
                 yield return element;
     }
}
Example
async Task WriteEmailsAsync()
{
    var emailRegex = new Regex(@"(?i)[a-z0-9_.+-]+@[a-z0-9-]+\.[a-z0-9-.]+");
    IEnumerable<string> emails1 = await getEmailsFromFileAsync("input1.txt");
    IEnumerable<string> emails2 = await getEmailsFromFileAsync("input2.txt");
    await writeLinesToFileAsync(emails1.Concat(emails2), "output.txt");
One important thing that you may have noticed is that local functions can be defined under the return statement,
they do not need to be defined above it. Additionally, local functions typically follow the "lowerCamelCase" naming
convention as to more easily differentiate themselves from class scope functions.
The out var declaration is a simple feature to improve readability. It allows a variable to be declared at the same
time that is it passed as an out parameter.
A variable declared this way is scoped to the remainder of the body at the point in which it is declared.
Example
Using TryParse prior to C# 7.0, you must declare a variable to receive the value before calling the function:
Foo(value); // ok
In C# 7.0, you can inline the declaration of the variable passed to the out parameter, eliminating the need for a
separate variable declaration:
Version ≥ 7.0
if (int.TryParse(input, out var value))
Foo(value); // still ok, the value in scope within the remainder of the body
If some of the parameters that a function returns in out is not needed you can use the discard operator _.
An out var declaration can be used with any existing function which already has out parameters. The function
declaration syntax remains the same, and no additional requirements are needed to make the function compatible
with an out var declaration. This feature is simply syntactic sugar.
Another feature of out var declaration is that it can be used with anonymous types.
Version ≥ 7.0
var a = new[] { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
var groupedByMod2 = a.Select(x => new
                                  {
                                      Source = x,
                                      Mod2 = x % 2
                                  })
                     .GroupBy(x => x.Mod2)
                     .ToDictionary(g => g.Key, g => g.ToArray());
if (groupedByMod2.TryGetValue(1, out var oddElements))
{
    Console.WriteLine(oddElements.Length);
}
In this code we create a Dictionary with int key and array of anonymous type value. In the previous version of C#
it was impossible to use TryGetValue method here since it required you to declare the out variable (which is of
anonymous type!). However, with out var we do not need to explicitly specify the type of the out variable.
Limitations
Note that out var declarations are of limited use in LINQ queries as expressions are interpreted as expression
lambda bodies, so the scope of the introduced variables is limited to these lambdas. For example, the following
code will not work:
var nums =
    from item in seq
    let success = int.TryParse(item, out var tmp)
    select success ? tmp : 0; // Error: The name 'tmp' does not exist in the current context
References
class Geometry {}
     switch (g)
     {
         case Triangle t:
             Console.WriteLine($"{t.Width} {t.Height} {t.Base}");
             break;
         case Rectangle sq when sq.Width == sq.Height:
             Console.WriteLine($"Square rectangle: {sq.Width} {sq.Height}");
             break;
         case Rectangle r:
             Console.WriteLine($"{r.Width} {r.Height}");
             break;
         case Square s:
             Console.WriteLine($"{s.Width}");
             break;
         default:
             Console.WriteLine("<other>");
             break;
     }
}
is expression
Pattern matching extends the is operator to check for a type and declare a new variable at the same time.
Example
Version < 7.0
string s = o as string;
if(s != null)
{
    // do something with s
}
Version ≥ 7.0
if(o is string s)
{
    //Do something with s
};
Also note that the scope of the pattern variable s is extended to outside the if block reaching the end of the
enclosing scope, example:
if(someCondition)
{
   if(o is string s)
   {
      //Do something with s
   }
   else
   {
     // s is unassigned here, but accessible
   }
The underscore may occur anywhere in a numeric literal except as noted below. Different groupings may make
sense in different scenarios or with different numeric bases.
Any sequence of digits may be separated by one or more underscores. The _ is allowed in decimals as well as
exponents. The separators have no semantic impact - they are simply ignored.
The following are equivalent ways of specifying an int with value 34 (=25 + 21):
// Existing methods:
int a2 = 0x22;                // hexadecimal: every digit corresponds to 4 bits
int a3 = 34;                  // decimal: hard to visualise which bits are set
int a4 = (1 << 5) | (1 << 1); // bitwise arithmetic: combining non-zero bits
Flags enumerations
Before, specifying flag values for an enum could only be done using one of the three methods in this example:
[Flags]
public enum DaysOfWeek
{
    // Previously available methods:
    //          decimal        hex                bit shifting
    Monday    = 1,      //   = 0x01           =   1 << 0
    Tuesday   = 2,      //   = 0x02           =   1 << 1
    Wednesday = 4,      //   = 0x04           =   1 << 2
    Thursday = 8,       //   = 0x08           =   1 << 3
    Friday    = 16,     //   = 0x10           =   1 << 4
    Saturday = 32,      //   = 0x20           =   1 << 5
    Sunday    = 64,     //   = 0x40           =   1 << 6
With binary literals it is more obvious which bits are set, and using them does not require understanding
hexadecimal numbers and bitwise arithmetic:
[Flags]
public enum DaysOfWeek
{
    Monday    = 0b00000001,
    Tuesday   = 0b00000010,
    Wednesday = 0b00000100,
    Thursday = 0b00001000,
    Friday    = 0b00010000,
    Saturday = 0b00100000,
    Sunday    = 0b01000000,
class Person
{
Prior to C# 7.0, if you wanted to throw an exception from an expression body you would have to:
if (spoonsArray == null)
{
    throw new Exception("There are no spoons");
}
Or
var spoonsArray = spoons.Length > 0 ? spoons : throw new Exception("There are no spoons");
class Person
{
    private static ConcurrentDictionary<int, string> names = new ConcurrentDictionary<int,
string>();
Ref Return
public static ref TValue Choose<TValue>(
    Func<bool> condition, ref TValue left, ref TValue right)
{
    return condition() ? ref left : ref right;
}
With this you can pass two values by reference with one of them being returned based on some condition:
Ref Local
public static ref int Max(ref int first, ref int second, ref int third)
{
    ref int max = first > second ? ref first : ref second;
    return max > third ? ref max : ref third;
}
…
int a = 1, b = 2, c = 3;
Max(ref a, ref b, ref c) = 4;
Debug.Assert(a == 1); // true
Debug.Assert(b == 2); // true
Debug.Assert(c == 4); // true
In System.Runtime.CompilerServices.Unsafe a set of unsafe operations have been defined that allow you to
manipulate ref values as if they were pointers, basically.
0x0EF00EF0;
Assert.Equal(0xFE, b[0] | b[1] | b[2] | b[3]);
Beware of endianness when doing this, though, e.g. check BitConverter.IsLittleEndian if needed and handle
accordingly.
Additionally, one can check if two ref values are the same i.e. same address:
Links
System.Runtime.CompilerServices.Unsafe on github
ValueTask<T> is a structure and has been introduced to prevent the allocation of a Task object in case the result of
the async operation is already available at the time of awaiting.
1. Performance increase
        No heap allocation if the result is known synchronously (which it is not in this case because of the
        Task.Delay, but often is in many real-world async/await scenarios)
        Takes 65ns with JIT
Implementations of an async interface wishing to be synchronous would otherwise be forced to use either
Task.Run or Task.FromResult (resulting in the performance penalty discussed above). Thus there's some pressure
against synchronous implementations.
But with ValueTask<T>, implementations are more free to choose between being synchronous or asynchronous
without impacting callers.
interface IFoo<T>
{
    ValueTask<T> BarAsync();
}
With ValueTask, the above code will work with either synchronous or asynchronous implementations:
Synchronous implementation:
class SynchronousFoo<T> : IFoo<T>
{
    public ValueTask<T> BarAsync()
    {
        var value = default(T);
        return new ValueTask<T>(value);
    }
}
Asynchronous implementation
class AsynchronousFoo<T> : IFoo<T>
{
    public async ValueTask<T> BarAsync()
    {
        var value = default(T);
        await Task.Delay(1);
        return value;
    }
}
Notes
Although ValueTask struct was being planned to be added to C# 7.0, it has been kept as another library for the time
being. ValueTask<T> System.Threading.Tasks.Extensions package can be downloaded from Nuget Gallery
Exception filters allow the propagation of debug information in the original exception, where as using an if
statement inside a catch block and re-throwing the exception stops the propagation of debug information in the
original exception. With exception filters, the exception continues to propagate upwards in the call stack unless the
condition is met. As a result, exception filters make the debugging experience much easier. Instead of stopping on
the throw statement, the debugger will stop on the statement throwing the exception, with the current state and all
local variables preserved. Crash dumps are affected in a similar way.
     Exception filters have been supported by the CLR since the beginning and they've been accessible from
     VB.NET and F# for over a decade by exposing a part of the CLR's exception handling model. Only after the
     release of C# 6.0 has the functionality also been available for C# developers.
Exception filters are utilized by appending a when clause to the catch expression. It is possible to use any
expression returning a bool in a when clause (except await). The declared Exception variable ex is accessible from
within the when clause:
Multiple catch blocks with when clauses may be combined. The first when clause returning true will cause the
exception to be caught. Its catch block will be entered, while the other catch clauses will be ignored (their when
clauses won't be evaluated). For example:
try
{ ... }
catch (Exception ex) when (someCondition) //If someCondition evaluates to true,
                                          //the rest of the catches are ignored.
{ ... }
catch (NotImplementedException ex) when (someMethod()) //someMethod() will only run if
                                                       //someCondition evaluates to false
{ ... }
Caution
     It can be risky to use exception filters: when an Exception is thrown from within the when clause, the
     Exception from the when clause is ignored and is treated as false. This approach allows developers to
     write when clause without taking care of invalid cases.
View Demo
Note that exception filters avoid the confusing line number problems associated with using throw when failing code
is within the same function. For example in this case the line number is reported as 6 instead of 3:
1.   int a = 0, b = 0;
2.   try {
3.       int c = a / b;
4.   }
5.   catch (DivideByZeroException) {
6.       throw;
7.   }
The exception line number is reported as 6 because the error was caught and re-thrown with the throw statement
on line 6.
In this example a is 0 then catch clause is ignored but 3 is reported as line number. This is because they do not
unwind the stack. More specifically, the exception is not caught on line 5 because a in fact does equal 0 and thus
there is no opportunity for the exception to be re-thrown on line 6 because line 6 does not execute.
Method calls in the condition can cause side effects, so exception filters can be used to run code on exceptions
without catching them. A common example that takes advantage of this is a Log method that always returns false.
This allows tracing log information while debugging without the need to re-throw the exception.
      Be aware that while this seems to be a comfortable way of logging, it can be risky, especially if 3rd party
      logging assemblies are used. These might throw exceptions while logging in non-obvious situations that
      may not be detected easily (see Risky when(...) clause above).
try
{
    DoSomethingThatMightFail(s);
}
catch (Exception ex)
(Log(ex, "An error occurred")) { // This catch block will never be reached } // ... static bool Log(Exception ex, string
message, params object[] args) { Debug.Print(message, args); return false; }
View Demo
The common approach in previous versions of C# was to log and re-throw the exception.
// ...
View Demo
The finally block executes every time whether the exception is thrown or not. One subtlety with expressions in
when is exception filters are executed further up the stack before entering the inner finally blocks. This can cause
unexpected results and behaviors when code attempts to modify global state (like the current thread's user or
culture) and set it back in a finally block.
Produced Output:
     Start
     EvaluatesTo: True
     Inner Finally
     Catch
     Outer Finally
View Demo
It is also common to see IDisposable helper classes leveraging the semantics of using blocks to achieve the same
goal, as IDisposable.Dispose will always be called before an exception called within a using block starts bubbling
up the stack.
Basic Example
Console.WriteLine(resultString);
Output:
View Demo
Using @ before the string will cause the string to be interpreted verbatim. So, e.g. Unicode characters or line breaks
will stay exactly as they've been typed. However, this will not effect the expressions in an interpolated string as
shown in the following example:
View Demo
Expressions
With string interpolation, expressions within curly braces {} can also be evaluated. The result will be inserted at the
corresponding location within the string. For example, to calculate the maximum of foo and bar and insert it, use
Math.Max within the curly braces:Console.WriteLine($"And the greater one is: th.Max(foo, bar) }");
Output:
Note: Any leading or trailing whitespace (including space, tab and CRLF/newline) between the curly brace and the
expression is completely ignored and not included in the output
View Demo
Output:
Output:
View Demo
Statements with a Conditional (Ternary) Operator can also be evaluated within the interpolation. However, these
must be wrapped in parentheses, since the colon is otherwise used to indicate formatting as shown above:
Console.WriteLine($"{(foo > bar ? "Foo is larger than bar!" : "Bar is larger than foo!")}");
Output:
View Demo
Output:
Escape sequences
Escaping backslash (\) and quote (") characters works exactly the same in interpolated strings as in non-
interpolated strings, for both verbatim and non-verbatim string literals:
Console.WriteLine($"Foo is: }. In a non-verbatim string, we need to escape \" and \\ with backslashes.");
Console.WriteLine($@"Foo is: {foo}. In a verbatim string, we need to escape "" with an extra quote, but we don't
need to escape \");
Output:
     Foo is 34. In a non-verbatim string, we need to escape " and \ with backslashes.
     Foo is 34. In a verbatim string, we need to escape " with an extra quote, but we don't need to escape \
To include a curly brace { or } in an interpolated string, use two curly braces {{ or }}:$"{{foo}} is: }"
Output:
{foo} is: 34
FormattableString type
The type of a $"..." string interpolation expression is not always a simple string. The compiler decides which type
to assign depending on the context:string s = $"hello, e}"; System.FormattableString s = $"Hello, {name}";
System.IFormattable s = $"Hello, {name}";
This is also the order of type preference when the compiler needs to choose which overloaded method is going to
be called.
A new type, System.FormattableString, represents a composite format string, along with the arguments to be
formatted. Use this to write applications that handle the interpolation arguments specifically:
     // ...
}
Call the above method with:AddLogItem($"The foo is }, and the bar is {bar}."); For example, one could choose not
to incur the performance cost of formatting the string if the logging level was already going to filter out the log item.
Implicit conversions
There are implicit type conversions from an interpolated string:var s = $"Foo: }"; System.IFormattable s = $"Foo:
{foo}"; You can also produce an IFormattable variable that allows you to convert the string with invariant
context:var s = $"Bar: }"; System.FormattableString s = $"Bar: {bar}";
If code analysis is turned on, interpolated strings will all produce warning CA1305 (Specify IFormatProvider). A
static method may be used to apply current culture.
Then, to produce a correct string for the current culture, just use the expression:Culture.Current($"interpolated
eof(string).Name} string.") Culture.Invariant($"interpolated {typeof(string).Name} string.") Note: Current and
FormattableString class already contains Invariant() method, so the simplest way of switching to invariant
culture is by relying on using static:using static System.FormattableString;p>string invariant =
Invariant($"Now = {DateTime.Now}"); string current = $"Now = {DateTime.Now}";
Interpolated strings are just a syntactic sugar for String.Format(). The compiler (Roslyn) will turn it into a
String.Format behind the scenes:
It's possible to use interpolated strings in Linq statements to increase readability further.
// ...
Logger.Log(string.Format(ErrorFormat, ex));
Interpolated strings, however, will not compile with placeholders referring to non-existent variables. The following
will not compile:
// ...
If you’re localizing your application you may wonder if it is possible to use string interpolation along with
localization. Indeed, it would be nice to have the possibility to store in resource files Strings like:"My name is e}
{middlename} {surname}" instead of the much less readable:
String interpolation process occurs at compile time, unlike formatting string with string.Format which occurs at
runtime. Expressions in an interpolated string must reference names in the current context and need to be stored
in resource files. That means that if you want to use localization you have to do it like:
If the resource strings for the languages used above are correctly stored in the individual resource files, you should
get the following output:
Note that this implies that the name follows the localized string in every language. If that is not the case, you need
to add placeholders to the resource strings and modify the function above or you need to query the culture info in
the function and provide a switch case statement containing the different cases. For more details about resource
files, see How to use localization in C#.
Recursive interpolation
Although not very useful, it is allowed to use an interpolated string recursively inside another's curly brackets:
Output:
Properties can be initialized with the = operator after the closing }. The Coordinate class below shows the available
options for initializing a property:
Version ≥ 6.0
public class Coordinate
{
    public int X { get; set; } = 34; // get or set auto-property with initializer
You can initialize auto-properties that have different visibility on their accessors. Here’s an example with a
protected setter:
Read-Only Properties
In addition to flexibility with visibility, you can also initialize read-only auto-properties. Here’s an example:
This example also shows how to initialize a property with a complex type. Also, auto-properties can’t be write-only,
so that also precludes write-only initialization.
Before C# 6, this required much more verbose code. We were using one extra variable called backing property for
the property to give default value or to initialize the public property like below,
      public Coordinate()
      {
          _z = 42;
      }
}
Note: Before C# 6.0, you could still initialize read and write auto implemented properties (properties with a getter and a
setter) from within the constructor, but you could not initialize the property inline with its declaration
View Demo
Usage
Initializers must evaluate to static expressions, just like field initializers. If you need to reference non-static
members, you can either initialize properties in constructors like before, or use expression-bodied properties. Non-
static expressions, like the one below (commented out), will generate a compiler error:
This method can also be applied to properties with different level of accessors:
The auto-property initializer allows assignment of properties directly within their declaration. For read-only
View Demo
Cautionary notes
Take care to not confuse auto-property or field initializers with similar-looking expression-body methods which
make use of => as opposed to =, and fields which do not include { get; }.
Missing { get; } in the property declaration results in a public field. Both read-only auto-property Users1 and
read-write field Users2 are initialized only once, but a public field allows changing collection instance from outside
the class, which is usually undesirable. Changing a read-only auto-property with expression body to read-only
property with initializer requires not only removing > from =>, but adding { get; }.
The different symbol (=> instead of =) in Users3 results in each access to the property returning a new instance of
the HashSet<UserDto> which, while valid C# (from the compiler's point of view) is unlikely to be the desired
behavior when used for a collection member.
This is useful, because if the . (member accessor) operator is applied to an expression that evaluates to null, the
program will throw a NullReferenceException. If the developer instead uses the ?. (null-conditional) operator, the
expression will evaluate to null instead of throwing an exception.
Note that if the ?. operator is used and the expression is non-null, ?. and . are equivalent.
Basics
var teacherName = classroom.GetTeacher().Name;
// throws NullReferenceException if GetTeacher() returns null
View Demo
If the classroom does not have a teacher, GetTeacher() may return null. When it is null and the Name property is
accessed, a NullReferenceException will be thrown.
If we modify this statement to use the ?. syntax, the result of the entire expression will be null:
View Demo
Subsequently, if classroom could also be null, we could also write this statement as:
View Demo
This is an example of short-circuiting: When any conditional access operation using the null-conditional operator
evaluates to null, the entire expression evaluates to null immediately, without processing the rest of the chain.
When the terminal member of an expression containing the null-conditional operator is of a value type, the
expression evaluates to a Nullable<T> of that type and so cannot be used as a direct replacement for the
expression without ?..
You can combine the null-conditional operator with the Null-coalescing Operator (??) to return a default value if the
expression resolves to null. Using our example above:
Null-conditional operator can also be used with void functions. However in this case, the statement will not
evaluate to null. It will just prevent a NullReferenceException.
When invoking an event, traditionally, it is best practice to check if the event is null in case no subscribers are
present:
Since the null-conditional operator has been introduced, the invocation can be reduced to a single line:
OnCompleted?.Invoke(EventArgs.Empty);
Limitations
Gotchas
Note that:
Despite ternary operator ?: is used here for explaining the difference between two cases, these operators are not
equivalent. This can be easily demonstrated with the following example:
void Main()
{
    var foo = new Foo();
    Console.WriteLine("Null propagation");
    Console.WriteLine(foo.Bar?.Length);
     Console.WriteLine("Ternary");
     Console.WriteLine(foo.Bar != null ? foo.Bar.Length : (int?)null);
}
class Foo
{
    public string Bar
    {
        get
        {
            Console.WriteLine("I was read");
            return string.Empty;
        }
    }
}
Which outputs:
     Null propagation
     I was read
     0
View Demo
And this difference somewhat explains why null propagation operator is not yet supported in expression trees.
Expression-bodied functions can be used for properties, indexers, methods, and operators.
Properties
public decimal TotalPrice => BasePrice + Taxes;
Is equivalent to:
When an expression-bodied function is used with a property, the property is implemented as a getter-only
property.
View Demo
Indexers
public object this[string key] => dictionary[key];
Is equivalent to:
Is equivalent to:
Operators
Limitations
Expression-bodied function members have some limitations. They can't contain block statements and any other
statements that contain blocks: if, switch, for, foreach, while, do, try, etc.
Some if statements can be replaced with ternary operators. Some for and foreach statements can be converted
to LINQ queries, for example:
IEnumerable<string> Digits
{
    get
    {
        for (int i = 0; i < 10; i++)
            yield return i.ToString();
    }
}
In all other cases, the old syntax for function members can be used.
Expression-bodied function members can contain async/await, but it's often redundant:
The nameof operator is evaluated at compile time and changes the expression into a string literal. This is also useful
for strings that are named after their member that exposes them. Consider the following:
Since nameof expressions are compile-time constants, they can be used in attributes, case labels, switch
statements, and so on.
Console.WriteLine(Enum.One.ToString());
it is possible to use:
Console.WriteLine(nameof(Enum.One))
The nameof operator can access non-static members using static-like syntax. Instead of doing:
The output will be Length in both examples. However, the latter prevents the creation of unnecessary instances.
Although the nameof operator works with most language constructs, there are some limitations. For example, you
cannot use the nameof operator on open generic types or method return values:
Furthermore, if you apply it to a generic type, the generic type parameter will be ignored:
Console.WriteLine(nameof(List<int>)); // "List"
Console.WriteLine(nameof(List<bool>)); // "List"
Although the nameof operator does not exist in C# for versions prior to 6.0, similar functionality can be had by using
MemberExpression as in the following:
Expression:
Usage:
Note that this approach causes an expression tree to be created on every call, so the performance is much worse
compared to nameof operator which is evaluated at compile time and has zero overhead at runtime.
Version ≥ 6.0
using static System.Console;
using static System.ConsoleColor;
using static System.Math;
class Program
{
    static void Main()
    {
        BackgroundColor = DarkBlue;
        WriteLine(Sqrt(2));
    }
}
class Program
{
    static void Main()
    {
        Console.BackgroundColor = ConsoleColor.DarkBlue;
        Console.WriteLine(Math.Sqrt(2));
    }
}
Any object that has an indexed getter or setter can be used with this syntax:
class Program
{
    public class MyClassWithIndexer
    {
        public int this[string index]
        {
            set
            {
                Console.WriteLine($"Index: {index}, value: {value}");
            }
        }
    }
          Console.ReadKey();
     }
}
Output:
View Demo
If the class has multiple indexers it is possible to assign them all in a single group of statements:
class Program
{
    public class MyClassWithIndexer
    {
        public int this[string index]
        {
            set
            {
                Console.WriteLine($"Index: {index}, value: {value}");
            }
        }
        public string this[int index]
        {
            set
            {
                Console.WriteLine($"Index: {index}, value: {value}");
            }
        }
    }
Output:
It should be noted that the indexer set accessor might behave differently compared to an Add method (used in
collection initializers).
For example:
versus:
using System;
public class Program
{
    public static void Main()
    {
        Overloaded(DoSomething);
    }
Results:
Version = 6.0
View Demo
Version = 5.0
Error
      error CS0121: The call is ambiguous between the following methods or properties:
      'Program.Overloaded(System.Action)' and 'Program.Overloaded(System.Func)'
C# 6 can also handle well the following case of exact matching for lambda expressions which would have resulted
in an error in C# 5.
using System;
class Program
{
    static void Foo(Func<Func<long>> func) {}
    static void Foo(Func<Func<int>> func) {}
It was not possible to use the await expression in the catch and finally blocks in earlier versions due to compiler
limitations. C#6 makes awaiting async tasks a lot easier by allowing the await expression.
try
{
      //since C#5
      await service.InitializeAsync();
}
catch (Exception e)
{
    //since C#6
    await logger.LogAsync(e);
}
finally
{
    //since C#6
    await service.CloseAsync();
}
It was required in C# 5 to use a bool or declare an Exception outside the try catch to perform async operations.
try
{
      // Since C#5
      await service.InitializeAsync();
}
catch (Exception e)
{
    // Declare bool or place exception inside variable
    error = true;
    ex = e;
}
Version ≤ 5.0
Console.WriteLine((value: 23));
Operands of is and as are no longer allowed to be method groups. The following compiles in C#5, but not C#6
Version ≤ 5.0
var result = "".Any is byte;
      The native compiler allowed this (although it did show a warning), and in fact didn’t even check extension
      method compatibility, allowing crazy things like 1.Any is string or IDisposable.Dispose is object.
Before:
C# 6.0:
Here's another example of downloading a file and handling what happens when it's progress has changed and
when the download completes (there are two ways to do this):
Method 1:
//This one using async event handlers, but not async coupled with await
private void DownloadAndUpdateAsync(string uri, string DownloadLocation){
    WebClient web = new WebClient();
    //Assign the event handler
    web.DownloadProgressChanged += new DownloadProgressChangedEventHandler(ProgressChanged);
    web.DownloadFileCompleted += new AsyncCompletedEventHandler(FileCompleted);
    //Download the file asynchronously
    web.DownloadFileAsync(new Uri(uri), DownloadLocation);
}
Example:
//This is the "calling method": the method that is calling the target method
public void doProcess()
{
    GetMessageCallerAttributes("Show my attributes.");
}
//This is the target method
//There are only 3 caller attributes
public void GetMessageCallerAttributes(string message,
    //gets the name of what is calling this method
    [System.Runtime.CompilerServices.CallerMemberName] string memberName = "",
    //gets the path of the file in which the "calling method" is in
    [System.Runtime.CompilerServices.CallerFilePath] string sourceFilePath = "",
    //gets the line number of the "calling method"
    [System.Runtime.CompilerServices.CallerLineNumber] int sourceLineNumber = 0)
{
    //Writes lines of all the attributes
    System.Diagnostics.Trace.WriteLine("Message: " + message);
    System.Diagnostics.Trace.WriteLine("Member: " + memberName);
    System.Diagnostics.Trace.WriteLine("Source File Path: " + sourceFilePath);
    System.Diagnostics.Trace.WriteLine("Line Number: " + sourceLineNumber);
}
Example Output:
   1. Constant expression.
   2. Must be a value type such as enum or struct.
   3. Must be an expression of the form default(valueType)
public void ExampleMethod(int required, string optValue = "test", int optNum = 42)
{
    //...
}
Enables you to pass the argument to the function by associating the parameter’s name No needs for remembering
the parameters position that we are not aware of always. No need to look the order of the parameters in the
parameters list of called function. We can specify parameter for each arguments by its name.
Named arguments:
Named argument specification must appear after all fixed arguments have been specified.
If you use a named argument before a fixed argument you will get a compile time error as follows.
Named argument specification must appear after all fixed arguments have been specified
For example, the existing interface IEnumerable<T> has been redefined as being covariant:
In this case, dynamic type is used to avoid more verbose Reflection. It still uses Reflection under the hood, but it's
usually faster thanks to caching.
Dynamic type has applications even in mostly statically typed code, for example it makes double dispatch posible
without implementing Visitor pattern.
The types of the above variables are int, double, StringBuilder, and an anonymous type respectively.
It is important to note that a var variable is not dynamically typed. SquaredNumber = Builder is not valid since you
are trying to set an int to an instance of StringBuilder
// Select squares of all odd numbers in the array sorted in descending order
IEnumerable<int> query = from x in array
                          where x % 2 == 1
                          orderby x descending
                          select x * x;
// Result: 49, 25, 1
Example 1 uses query syntax which was designed to look similar to SQL queries.
//Example 2
IEnumerable<int> query = array.Where(x => x % 2 == 1)
    .OrderByDescending(x => x)
    .Select(x => x * x);
// Result: 49, 25, 1 using 'array' as defined in previous example
It is important to note that, in C#, LINQ query syntax is syntactic sugar for LINQ method syntax. The compiler
translates the queries into method calls at compile time. Some queries have to be expressed in method syntax.
From MSDN - "For example, you must use a method call to express a query that retrieves the number of elements
that match a specified condition."
using System;
using System.Collections.Generic;
using System.Linq;
The above code will output the sum of the squares of the numbers 1 through 10 to the console.
The first lambda expression squares the numbers in the list. Since there is only 1 parameter parenthesis may be
omitted. You can include parenthesis if you wish:
The lambda body is an expression and has an implicit return. You can use a statement body if you want as well.
This is useful for more complex lambdas.
The select method returns a new IEnumerable with the computed values.
The second lambda expression sums the numbers in list returned from the select method. Parentheses are
required as there are multiple parameters. The types of the parameters are explicitly typed but this is not
necessary. The below method is equivalent.
As is this one:
You can make anonymous types by using the new keyword followed by a curly brace ({). Inside the curly braces, you
It's also possible to create an array of anonymous types. See code below:
var a = new[]    {
    new {
        Fruit    = "Apple",
        Color    = "Red"
    },
    new {
        Fruit    = "Banana",
        Color    = "Yellow"
    }
};
The second example uses a verbatim string literal, which doesn't treat the backslash as an escape character.
Quotes
Newlines
Backslash
and suppose the character Œ is not available in the character encoding you use for your C# source files. You are
lucky, it is permitted to use escapes of the type \u#### or \U######## in identifiers in the code. So it is legal to
write:
and the C# compiler will know Œ and \u0152 are the same character.
(However, it might be a good idea to switch to UTF-8 or a similar encoding that can handle all characters.)
string s = "\c";
char c = '\c';
Instead, they will produce the error Unrecognized escape sequence at compile time.
In this example we will create a custom exception for clear handling of problems the application may have while
parsing a complex input.
Custom exception become very useful when you want to provide additional information to the catcher:
Now, when you catch(ParserException x) you will have additional semantics to fine-tune exception handling.
Custom classes can implement the following features to support additional scenarios.
re-throwing
During the parsing process, the original exception is still of interest. In this example it is a FormatException because
the code attempts to parse a piece of string, which is expected to be a number. In this case the custom exception
should support the inclusion of the 'InnerException':
//new constructor:
ParserException(string msg, Exception inner) : base(msg, inner) {
}
serialization
In some cases your exceptions may have to cross AppDomain boundaries. This is the case if your parser is running
in its own AppDomain to support hot reloading of new parser configurations. In Visual Studio, you can use
Exception template to generate code like this.
[Serializable]
public class ParserException : Exception
{
You may also use custom exceptions for catching and wrapping exceptions. This way many different errors can be
converted into a single error type that is more useful to the application:
try
{
    int foo = int.Parse(token);
}
catch (FormatException ex)
{
    //Assuming you added this constructor
    throw new ParserException(
      $"Failed to read {token} as number.",
      FileName,
      LineNumber,
      ex);
}
When handling exceptions by raising your own custom exceptions, you should generally include a reference the
original exception in the InnerException property, as shown above.
Security Concerns
If exposing the reason for the exception might compromise security by allowing users to see the inner workings of
your application it can be a bad idea to wrap the inner exception. This might apply if you are creating a class library
Here is how you could raise a custom exception without wrapping the inner exception:
try
{
  // ...
}
catch (SomeStandardException ex)
{
  // ...
  throw new MyCustomException(someMessage);
}
Conclusion
When raising a custom exception (either with wrapping or with an unwrapped new exception), you should raise an
exception that is meaningful to the caller. For instance, a user of a class library may not know much about how that
library does its internal work. The exceptions that are thrown by the dependencies of the class library are not
meaningful. Rather, the user wants an exception that is relevant to how the class library is using those
dependencies in an erroneous way.
try
{
  // ...
}
catch (IOException ex)
{
  // ...
  throw new StorageServiceException(@"The Storage Service encountered a problem saving
your data. Please consult the inner exception for technical details.
If you are not able to resolve the problem, please call 555-555-1234 for technical
assistance.", ex);
}
The try / catch / finally block can be very handy when reading from files.
For example:
FileStream f = null;
try
{
      f = File.OpenRead("file.txt");
      /* process the file here */
A try block must be followed by either a catch or a finally block. However, since there is no catch block, the
execution will cause termination. Before termination, the statements inside the finally block will be executed.
In the file-reading we could have used a using block as FileStream (what OpenRead returns) implements
IDisposable.
Even if there is a return statement in try block, the finally block will usually execute; there are a few cases where
it will not:
Flow control should NOT be done by exceptions. Use conditional statements instead. If a control can be done with
if-else statement clearly, don't use exceptions because it reduces readability and performance.
Since previous snippet only covers logic of exception, what should I do if myObject is not null at this point? Where
should I cover this part of logic? Right after Console.WriteLine(myObject.ToString());? How about after the
try...catch block?
      // When execution reaches this point, we are sure that myObject is not null
      DoSomethingElseWithMyObject();
}
Mr. Best Practices achieved same logic with fewer code and a clear & understandable logic.
Re-throwing exceptions is expensive. It negatively impact performance. For code that routinely fails, you can use
design patterns to minimize performance issues. This topic describes two design patterns that are useful when
exceptions might significantly impact performance.
Never swallow exceptions. Ignoring exceptions will save that moment but will create a chaos for maintainability
later. When logging exceptions, you should always log the exception instance so that the complete stack trace is
logged and not the exception message only.
try
{
    //Some code that might throw an exception
}
catch(NullException ex)
{
Many resources, such as this one, strongly urge you to consider why you are catching an exception in the place that
you are catching it. You should only catch an exception if you can handle it at that location. If you can do something
there to help mitigate the problem, such as trying an alternative algorithm, connecting to a backup database, trying
another filename, waiting 30 seconds and trying again, or notifying an administrator, you can catch the error and
do that. If there is nothing that you can plausibly and reasonably do, just "let it go" and let the exception be handled
at a higher level. If the exception is sufficiently catastrophic and there is no reasonable option other than for the
entire program to crash because of the severity of the problem, then let it crash.
try
{
    //Try to save the data      to the main database.
}
catch(SqlException ex)
{
    //Try to save the data      to the alternative database.
}
//If anything other than a      SqlException is thrown, there is nothing we can do here. Let the exception
bubble up to a level where      it can be handled.
try
{
    ...
}
catch (Exception ex)
{
    ...
    throw;
}
Re-throwing an exception like below will obfuscate the original exception and will lose the original stack trace. One
should never do this! The stack trace prior to the catch and rethrow will be lost.
try
{
    ...
}
catch (Exception ex)
{
    ...
    throw ex;
}
One should not use exceptions as a substitute for normal flow control constructs like if-then statements and while
loops. This anti-pattern is sometimes called Baseball Exception Handling.
try
{
      while (AccountManager.HasMoreAccounts())
      {
          account = AccountManager.GetNextAccount();
          if (account.Name == userName)
          {
              //We found it
              throw new AccountFoundException(account);
          }
      }
}
catch (AccountFoundException found)
{
    Console.Write("Here are your account details: " + found.Account.Details.ToString());
}
catch (Exception)
There are almost no (some say none!) reasons to catch the generic exception type in your code. You should catch
only the exception types you expect to happen, because you hide bugs in your code otherwise.
try
{
       var f = File.Open(myfile);
       // do something
}
catch (Exception x)
{
     // Assume file not found
     Console.Write("Could not open file");
     // but maybe the error was a NullReferenceException because of a bug in the file handling code?
}
Better do:
try
{
       var f = File.Open(myfile);
       // do something which should normally not throw exceptions
}
catch (IOException)
{
     Console.Write("File not found");
If any other exception happens, we purposedly let the application crash, so it directly steps in the debugger and we
can fix the problem. We mustn't ship a program where any other exceptions than these happen anyway, so it's not
a problem to have a crash.
The following is a bad example, too, because it uses exceptions to work around a programming error. That's not
what they're designed for.
try
{
     DoSomething(myString);
}
catch(ArgumentNullException x)
{
    // if this happens, we have a programming error and we should check
    // why myString was null in the first place.
}
Note that handling all exceptions with the same code is often not the best approach.
This is commonly used when any inner exception handling routines fail, as a last resort.
Be careful that exceptions are evaluated in order and inheritance is applied. So you need to start with the most
specific ones and end with their ancestor. At any given point, only one catch block will get executed.
It is quite plausible to have a method execute and even though it will be a failure as a whole you will want to
highlight multiple things that went wrong in the exceptions that are thrown. As an example this behavior can be
seen with how Parallel methods work were a task broken into multiple threads and any number of them could
throw exceptions and this needs to be reported. Here is a silly example of how you could benefit from this:
          if (input1 == 1)
          {
              exceptions.Add(new ArgumentException("I do not like ones"));
          }
          if (input2 == 2)
          {
              exceptions.Add(new ArgumentException("I do not like twos"));
          }
          if (exceptions.Any())
          {
              throw new AggregateException("Funny stuff happended during execution", exceptions);
          }
    /// <summary>
    /// The main entry point for the application.
    /// </summary>
    [STAThread]
    private static void Main(string[] args)
    {
        AppDomain.CurrentDomain.UnhandledException += new
UnhandledExceptionEventHandler(UnhandledException);
    }
Application.ThreadException This event allows your Windows Forms application to handle otherwise unhandled
exceptions that occur in Windows Forms threads. Attach your event handlers to the ThreadException event to deal
with these exceptions, which will leave your application in an unknown state. Where possible, exceptions should be
handled by a structured exception handling block.
    /// <summary>
    /// The main entry point for the application.
    /// </summary>
    [STAThread]
    private static void Main(string[] args)
    {
        AppDomain.CurrentDomain.UnhandledException += new
UnhandledExceptionEventHandler(UnhandledException);
        Application.ThreadException += new ThreadExceptionEventHandler(ThreadException);
    }
Implement IErrorHandler:
using   System.ServiceModel.Channels;
using   System.ServiceModel.Dispatcher;
using   System.Runtime.Serialization.Json;
using   System.ServiceModel;
using   System.ServiceModel.Web;
namespace BehaviorsAndInspectors
{
    public class ErrorHandler : IErrorHandler
    {
return true;
} // end
            // Create the fault message that is returned (note the ref parameter) with
BaseDataResponseContract
            fault = Message.CreateMessage(
                version,
                string.Empty,
                new CustomReturnType { ErrorMessage = "An unhandled exception occurred!" },
                new DataContractJsonSerializer(typeof(BaseDataResponseContract), new List<Type> {
typeof(BaseDataResponseContract) }));
              if (ex.GetType() == typeof(VariousExceptionTypes))
              {
                   // You might want to catch different types of exceptions here and process them
differently
              }
} // end
} // end class
} // end namespace
In this example we attach the handler to the service behavior. You could also attach this to IEndpointBehavior,
IContractBehavior, or IOperationBehavior in a similar way.
using   System;
using   System.Collections.ObjectModel;
using   System.ServiceModel;
using   System.ServiceModel.Channels;
using   System.ServiceModel.Configuration;
using   System.ServiceModel.Description;
using   System.ServiceModel.Dispatcher;
namespace BehaviorsAndInspectors
{
    public class ErrorHandlerExtension : BehaviorExtensionElement, IServiceBehavior
    {
        public override Type BehaviorType
        {
            get { return GetType(); }
        }
} // end namespace
Configs in Web.config:
...
<system.serviceModel>
     <services>
       <service name="WebServices.MyService">
         <endpoint binding="webHttpBinding" contract="WebServices.IMyService" />
       </service>
     </services>
    <extensions>
      <behaviorExtensions>
        <!-- This extension if for the WCF Error Handling-->
        <add name="ErrorHandlerBehavior"
type="WebServices.BehaviorsAndInspectors.ErrorHandlerExtensionBehavior, WebServices,
Version=1.0.0.0, Culture=neutral, PublicKeyToken=null" />
      </behaviorExtensions>
    </extensions>
     <behaviors>
       <serviceBehaviors>
         <behavior>
           <serviceMetadata httpGetEnabled="true"/>
           <serviceDebug includeExceptionDetailInFaults="true"/>
           <ErrorHandlerBehavior />
         </behavior>
       </serviceBehaviors>
     </behaviors>
    ....
</system.serviceModel>
...
https://msdn.microsoft.com/en-us/library/system.servicemodel.dispatcher.ierrorhandler(v=vs.100).aspx
http://www.brainthud.com/cards/5218/25441/which-four-behavior-interfaces-exist-for-interacting-with-a-service-or-
client-description-what-methods-do-they-implement-and
Other Examples:
IErrorHandler returning wrong message body when HTTP status code is 401 Unauthorized
How to make custom WCF error handler return JSON response with non-OK http code?
You can then use the throw keyword to raise the exception:
try
{
    throw new Exception("Error");
}
catch (Exception ex)
{
    Console.Write(ex.Message); // Logs 'Error' to the output window
}
Note: If you're throwing a new exception inside a catch block, ensure that the original exception is passed as "inner
exception", e.g.
void DoSomething()
{
    int b=1; int c=5;
    try
    {
        var a = 1;
        b = a - 1;
        c = a / b;
        a = a / c;
    }
    catch (DivideByZeroException dEx) when (b==0)
    {
        // we're throwing the same kind of exception
        throw new DivideByZeroException("Cannot divide by b because it is zero", dEx);
    }
    catch (DivideByZeroException dEx) when (c==0)
    {
        // we're throwing the same kind of exception
        throw new DivideByZeroException("Cannot divide by c because it is zero", dEx);
    }
}
void Main()
{
    try
    {
        DoSomething();
    }
    catch (Exception ex)
    {
        // Logs full error information (incl. inner exception)
        Console.Write(ex.ToString());
    }
}
In this case it is assumed that the exception cannot be handled but some useful information is added to the
message (and the original exception can still be accessed via ex.InnerException by an outer exception block).
If you're trying this example in LinqPad, you'll notice that the line numbers aren't very meaningful (they don't
always help you). But passing a helpful error text as suggested above oftentimes significantly reduces the time to
track down the location of the error, which is in this example clearly the line
c = a / b;
in function DoSomething().
This way one can manage small blocks of code which are capable of working without disrupting your whole
mechanism.
try
{
//some code here
     try
     {
         //some thing which throws an exception. For Eg : divide by 0
     }
     catch (DivideByZeroException dzEx)
     {
         //handle here only this exception
         //throw from here will be passed on to the parent catch block
     }
     finally
     {
         //any thing to do after it is done.
     }
  //resume from here & proceed as normal;
}
catch(Exception e)
{
     //handle here
}
Note: Avoid Swallowing Exceptions when throwing to the parent catch block
If an object is potentially null (such as a function that returns a reference type) the object must first be checked for
null to prevent a possible NullReferenceException. Without the null-conditional operator, this would look like:
var age = person?.Age; // 'age' will be of type 'int?', even if 'person' is not null
The null-conditional operator can be combined on the members and sub-members of an object.
The null-conditional operator can be combined with the null-coalescing operator to provide a default value:
Normally, the method will be triggered for null references, and return -1:
Using ?. the method will not be triggered for null references, and the type is int?:
This behavior is actually expected from the way in which the ?. operator works: it will avoid making instance
method calls for null instances, in order to avoid NullReferenceExceptions. However, the same logic applies to the
extension method, despite the difference on how the method is declared.
For more information on why the extension method is called in the first example, please see the Extension
methods - null checking documentation.
This can be avoided by first unboxing into the original Type, e.g.:
This can be avoided by using the overloaded Equals method, which will give the expected result.
Alternatively, the same could be done by unboxing the left and right variables so that the int values are
compared:
Section 28.5: Value type - short, int, long (signed 16 bit, 32 bit,
64 bit integers)
// assigning a signed short to its minimum value
short s = -32768;
// assigning a signed long to its minimum value (note the long postfix)
long l = -9223372036854775808L;
// assigning a signed long to its maximum value (note the long postfix)
long l = 9223372036854775807L;
It is also possible to make these types nullable, meaning that additionally to the usual values, null can be assigned,
too. If a variable of a nullable type is not initialized, it will be null instead of 0. Nullable types are marked by adding a
question mark (?) after the type.
// assigning an unsigned long to its maximum value (note the unsigned long postfix)
ulong l = 18446744073709551615UL;
It is also possible to make these types nullable, meaning that additionally to the usual values, null can be assigned,
too. If a variable of a nullable type is not initialized, it will be null instead of 0. Nullable types are marked by adding a
question mark (?) after the type.
The bool keyword is an alias of System.Boolean. It is used to declare variables to store the Boolean values, true and
false.
The above Lambda expression syntax is equivalent to the following verbose code:
A good situation in which a lambda event handler might be used is given below:
If unsubscribing a registered event handler at some future point in the code is necessary, the event handler
expression should be saved to a variable, and the registration/unregistration done through that variable:
smtpClient.SendCompleted += handler;
smtpClient.SendCompleted -= handler;
The reason that this is done rather than simply retyping the lambda expression verbatim to unsubscribe it (-=) is
that the C# compiler won't necessarily consider the two expressions equal:
Note that if additional statements are added to the lambda expression, then the required surrounding curly braces
may be accidentally omitted, without causing compile-time error. For example:
This will compile, but will result in adding the lambda expression (sender, args) => Console.WriteLine("Email
sent"); as an event handler, and executing the statement emailSendButton.Enabled = true; immediately. To fix
this, the contents of the lambda must be surrounded in curly braces. This can be avoided by using curly braces
from the start, being cautious when adding additional statements to a lambda-event-handler, or surrounding the
lambda in round brackets from the start:
Similarly, an empty set of parentheses indicates that the function does not accept parameters.
Because the compiler is capable of transforming lambdas both to delegates and Expressions.
Obviously, LINQ providers rely heavily on Expressions (exposed mainly through the IQueryable<T> interface) in
order to be able to parse queries and translate them to store queries.
Here x => x > 6 is a lambda expression acting as a predicate that makes sure that only elements above 6 are
returned.
The asynchronous method in which await is used must be modified by the async keyword.
The opposite is not always true: you can mark a method as async without using await in its body.
What await actually does is to suspend execution of the code until the awaited task completes; any task can be
awaited.
Note: you cannot await for async method which returns nothing (void).
Actually, the word 'suspends' is a bit misleading because not only the execution stops, but the thread may become
free for executing other operations. Under the hood, await is implemented by a bit of compiler magic: it splits a
method into two parts - before and after await. The latter part is executed when the awaited task completes.
If we ignore some important details, the compiler roughly does this for you:
becomes:
Any usual method can be turned into async in the following way:
This can be advantageous when you need to execute a long running method on the UI thread without freezing the
But there is a very important remark here: Asynchronous does not always mean concurrent (parallel or even
multi-threaded). Even on a single thread, async-await still allows for asynchronous code. For example, see this
custom task scheduler. Such a 'crazy' task scheduler can simply turn tasks into functions which are called within
message loop processing.
We need to ask ourselves: What thread will execute the continuation of our method DoIt_Continuation?
By default the await operator schedules the execution of continuation with the current Synchronization context. It
means that by default for WinForms and WPF continuation runs in the UI thread. If, for some reason, you need to
change this behavior, use method Task.ConfigureAwait():
      await firstTask;
      await secondTask;
}
Alternatively, Task.WhenAll can be used to group multiple tasks into a single Task, which completes when all of its
passed tasks are complete.
await Task.WhenAll(tasks);
To get results from a task after awaiting multiple tasks with Task.WhenAll, simply await the task again. Since the
task is already completed it will just return the result back
Also, the Task.WhenAny can be used to execute multiple tasks in parallel, like the Task.WhenAll above, with the
difference that this method will complete when any of the supplied tasks will be completed.
The Task returned by RunConcurrentTasksWhenAny will complete when any of firstTask, secondTask, or thirdTask
completes.
As of C# 6.0, the await keyword can now be used within a catch and finally block.
try {
   var client = new AsyncClient();
   await client.DoSomething();
} catch (MyException ex) {
   await client.LogExceptionAsync();
   throw;
} finally {
   await client.CloseAsync();
}
Prior to C# 6.0, you would need to do something along the lines of the following. Note that 6.0 also cleaned up the
null checks with the Null Propagating operator.
AsynClient client;
MyException caughtException;
try {
     client = new AsyncClient();
      await client.DoSomething();
} catch (MyException ex) {
     caughtException = ex;
}
if (client != null) {
    if (caughtException != null) {
       await client.LogExceptionAsync();
    }
    await client.CloseAsync();
    if (caughtException != null) throw caughtException;
}
Please note that if you await a task not created by async (e.g. a task created by Task.Run), some debuggers may
break on exceptions thrown by the task even when it is seemingly handled by the surrounding try/catch. This
happens because the debugger considers it to be unhandled with respect to user code. In Visual Studio, there is an
If GetByKeyAsync has the same signature as GetUserAsync (returning a Task<User>), the method can be simplified:
     return dataStore.GetByKeyAsync(lookupKey);
}
In this case, the method doesn't need to be marked async, even though it's preforming an asynchronous operation.
The Task returned by GetByKeyAsync is passed directly to the calling method, where it will be awaited.
Important: Returning the Task instead of awaiting it, changes the exception behavior of the method, as it won't
throw the exception inside the method which starts the task but in the method which awaits it.
This will improve performance as it will save the compiler the generation of an extra async state machine.
The primary purpose of async/await is to allow the machine to do additional work - for example, to allow the calling
thread to do other work while it's waiting for a result from some I/O operation. In this case, the calling thread is
never allowed to do more work than it would have been able to do otherwise, so there's no performance gain over
simply calling MethodA(), MethodB(), and MethodC() synchronously.
Async and await have undefined behavior on ASP.NET prior to 4.5. Async / await will resume on an arbitrary thread
that may not have the request context. Applications under load will randomly fail with null reference exceptions
accessing the HttpContext after the await. Using HttpContext.Current in WebApi is dangerous because of async
The main thing to note here is that while every await-ed method is called asynchronously - and for the time of that
call the control is yielded back to the system - the flow inside the method is linear and does not require any special
treatment due to asynchrony. If any of the methods called fail, the exception will be processed "as expected", which
in this case means that the method execution will be aborted and the exception will be going up the stack.
Essentially, once the async call completes, it waits for the synchronization context to become available. However,
the event handler "holds on" to the synchronization context while it's waiting for the TryThis() method to
complete, thus causing a circular wait.
When an auto-implemented property is written in your code, the compiler creates a private anonymous field that
can only be accessed through the property's accessors.
The above auto-implemented property statement is equivalent to writing this lengthy code:
Auto-implemented properties cannot have any logic in their accessors, for example:
An auto-implemented property can however have different access modifiers for its accessors:
C# 6 allows auto-implemented properties to have no setter at all (making it immutable, since its value can be set
only inside the constructor or hard coded):
For more information on initializing auto-implemented properties, read the Auto-property initializers
documentation.
string name;
public string Name
{
    get { return this.name; }
}
string name;
public string Name
{
    set { this.name = value; }
}
        //see how our changes above take effect; note that the Name has been trimmed
        Console.WriteLine("Id is: \t{0}\nName is:\t'{1}'.\nDOB is: \t{2:yyyy-MM-dd}.\nAge is:
\t{3}", aPerson.Id, aPerson.Name, aPerson.DOB, aPerson.GetAgeInYears());
A common misunderstanding, especially beginners, have is read-only property is the one marked with readonly
keyword. That's not correct and in fact following is a compile time error:
     public Address(
         string zipCode,
         string city,
         string streetAddress)
     {
         if (zipCode == null)
             throw new ArgumentNullException(nameof(zipCode));
         if (city == null)
             throw new ArgumentNullException(nameof(city));
         if (streetAddress == null)
             throw new ArgumentNullException(nameof(streetAddress));
          ZipCode = zipCode;
          City = city;
          StreetAddress = streetAddress;
     }
}
     //this is not a property but a method; though it could be rewritten as a property if desired.
     private bool HasHadBirthdayThisYear()
     {
         bool hasHadBirthdayThisYear = true;
         DateTime today = DateTime.UtcNow;
         if (today.Month > this.dob.Month)
         {
              hasHadBirthdayThisYear = true;
         }
         else
         {
             if (today.Month == this.dob.Month)
             {
                  hasHadBirthdayThisYear = today.Day > this.dob.Day;
             }
             else
             {
                  hasHadBirthdayThisYear = false;
             }
         }
         return hasHadBirthdayThisYear;
     }
}
using System.Threading;
class MainClass
{
    static int count { get; set; }
To fix this problem, we need to lock the value of count, so that multiple different threads cannot read and write to
it at the same time. With the addition of a lock and a key, we can prevent the threads from accessing the data
simultaneously.
using System.Threading;
class MainClass
{
using System.Threading;
class MainClass {
    static void Main() {
        var thread = new Thread(Secondary);
        thread.Start();
    }
using System;
using System.Threading;
using System.Threading.Tasks;
If thread1 holds a lock on resource A and is waiting for resource B to be released while thread2 holds resource B
and is waiting for resource A to be released, they are deadlocked.
Clicking button1 for the following example code will cause your application to get into aforementioned deadlocked
state and hang
string output;
To avoid being deadlocked this way, one can use Monitor.TryEnter(lock_object, timeout_in_milliseconds) to check if
a lock is held on an object already. If Monitor.TryEnter does not succeed in acquiring a lock on lock_object before
timeout_in_milliseconds, it returns false, giving the thread a chance to release other held resources and yielding,
thus giving other threads a chance to complete as in this slightly modified version of the above:
string output;
Note that this workaround relies on thread2 being stubborn about its locks and thread1 being willing to yield, such
that thread2 always take precedence. Also note that thread1 has to redo the work it did after locking resource A,
when it yields. Therefore be careful when implementing this approach with more than one yielding thread, as you'll
then run the risk of entering a so-called livelock - a state which would occur if two threads kept doing the first bit of
their work and then yield mutually, starting over repeatedly.
          Console.WriteLine("Done");
          Console.ReadKey();
     }
The CLR will then schedule each thread to a logical processor, this theoretically could mean each thread on a
different logical processor, all threads on a single logical processor or some other combination.
using System;
using System.Threading;
class MainClass {
    static void Main() {
        for (int i = 0; i < Environment.ProcessorCount; i++) {
            var thread = new Thread(Secondary);
            thread.Start(i);
        }
          // Wait (i.e. block this thread) until both Tasks are complete.
          Task.WaitAll(new [] { task1, task2 });
          Console.WriteLine("Done");
          Console.ReadKey();
     }
A typical scenario of two threads waiting on each other to complete is when a Windows Forms GUI thread waits for
a worker thread and the worker thread attempts to invoke an object managed by the GUI thread. Observe that with
this code example, clicking button1 will cause the program to hang.
workerthread.Join() is a call that blocks the calling thread until workerthread completes.
textBox1.Invoke(invoke_delegate) is a call that blocks the calling thread until the GUI thread has processed
invoke_delegate, but this call causes deadlocks if the GUI thread is already waiting for the calling thread to
complete.
To get around this, one can use a non-blocking way of invoking the textbox instead:
However, this will cause trouble if you need to run code that is dependent on the textbox being updated first. In
that case, run that as part of the invoke, but be aware that this will make it run on the GUI thread.
Alternatively start af whole new thread and let that one do the waiting on the GUI thread, so that workerthread
might complete.
To minimize the risk of running into a deadlock of mutual waiting, always avoid circular references between threads
when possible. A hierarchy of threads where lower-ranking threads only leave messages for higher-ranking threads
and never waiting on them will not run into this kind of issue. However, it would still be vulnerable to deadlocks
based on resource locking.
class MainClass {
    static void Main() {
        var thread = new Thread(Secondary);
        thread.Start("SecondThread");
    }
// Single argument
System.Console.WriteLine("Hello World");
// Multiple arguments
string name = "User";
System.Console.WriteLine("Hello, {0}!", name);
int x = 42;
// The instance method called here is Int32.ToString()
string xAsString = x.ToString();
class Program
{
    static void Main(string[] args)
    {
        // C# 2.0 definition
        IntOp add = delegate(int lhs, int rhs)
        {
            return lhs + rhs;
        };
          // C# 3.0 definition
          IntOp mul = (lhs, rhs) =>
          {
              return lhs * rhs;
          };
ReturnType can be void for no return or can be any type from the basic ones, as int to complex classes.
a Method may have some or no input parameters. to set parameters for a method, you should declare each one
like normal variable declarations (like int a), and for more than one parameter you should use comma between
them (like int a, int b).
Parameters may have default values. for this you should set a value for the parameter (like int a = 0). if a
parameter has a default value, setting the input value is optional.
Parameters can be used to pass values into a method, so that the method can work with them. This can be every
kind of work like printing the values, or making modifications to the object referenced by a parameter, or storing
the values.
When you call the method, you need to pass an actual value for every parameter. At this point, the values that you
actually pass to the method call are called Arguments:
If your method specifies a return value, the method must return a value. You do this using the return statement.
Once a return statement has been reached, it returns the specified value and any code after it will not be run
anymore (exceptions are finally blocks, which will still be executed before the method returns).
If your method returns nothing (void), you can still use the return statement without a value if you want to return
from the method immediately. At the end of such a method, a return statement would be unnecessary though.
return;
return 0;
return x * 2;
return Console.ReadLine();
Throwing an exception can end method execution without returning a value. Also, there are iterator blocks, where
return values are generated by using the yield keyword, but those are special cases that will not be explained at this
point.
When you call such a method and omit a parameter for which a default value is provided, the compiler inserts that
default value for you.
Keep in mind that parameters with default values need to be written after parameters without default values.
Factors affecting
      Number of Arguments
      Type of arguments
      Return Type**
Consider a method named Area that will perform calculation functions, which will accepts various arguments and
return the result.
Example
This method will accepts one argument and return a string, if we call the method with an integer(say 5) the output
will be "Area of Square is 25".
Similarly if we pass two double values to this method the output will be the product of the two values and are of
type double. This can be used of multiplication as well as finding the Area of rectangles
This can be used specially for finding the area of circle, which will accepts a double value(radius) and return
another double value as its Area.
Each of these methods can be called normally without conflict - the compiler will examine the parameters of each
method call to determine which version of Area needs to be used.
**Note that return type alone cannot differentiate between two methods. For instance, if we had two definitions for
Area that had the same parameters, like so:
If we need to have our class use the same method names that return different values, we can remove the issues of
ambiguity by implementing an interface and explicitly defining its usage.
//protected internal: access is limited to the current assembly or types derived from the containing
class.
protected internal void MyMethod()
The following example has a yield return statement that's inside a for loop.
Console Output
4
5
6
...
14
Each iteration of the foreach statement body creates a call to the Count iterator function. Each call to the iterator
function proceeds to the next execution of the yield return statement, which occurs during the next iteration of
the for loop.
Output:
     1
     2
     3
     4
     5
     6
     7
     8
     9
     10
When a method uses yield to generate an enumerable the compiler creates a state machine that when iterated
over will run code up to a yield. It then returns the yielded item, and saves its state.
This means you won't find out about invalid arguments (passing null etc.) when you first call the method (because
that creates the state machine), only when you try and access the first element (because only then does the code
within the method get ran by the state machine). By wrapping it in a normal method that first checks arguments
you can check them when the method is called. This is an example of failing fast.
When using C# 7+, the CountCore function can be conveniently hidden into the Count function as a local function.
See example here.
     while (true)
     {
         if (earlyTerminationSet.Contains(curr))
         {
             // we've hit one of the ending values
             yield break;
         }
          if (curr == Int32.MaxValue)
          {
              // don't overflow if we get all the way to the end; just stop
              yield break;
          }
          curr++;
     }
}
The above method would iterate from a given start position until one of the values within the
earlyTerminationSet was encountered.
// Iterate from a starting point until you encounter any elements defined as
// terminating elements
var terminatingElements = new HashSet<int>{ 7, 9, 11 };
// This will iterate from 1 until one of the terminating elements is encountered (7)
foreach(var x in CountUntilAny(1,terminatingElements))
{
    // This will write out the results from 1 until 7 (which will trigger terminating)
    Console.WriteLine(x);
}
Output:
     1
     2
     3
     4
     5
     6
There are other ways of getting an IEnumerable<User> from an SQL database, of course -- this just demonstrates
that you can use yield to turn anything that has "sequence of elements" semantics into an IEnumerable<T> that
someone can iterate over.
     Starting iteration
     Inside iterator: 0
     Inside foreach: 0
     Inside iterator: 1
     Inside foreach: 1
     Inside iterator: 2
     Inside foreach: 2
View Demo
As a consequence:
When calling:
     enumerator.MoveNext();
     Console.WriteLine(enumerator.Current);
     enumerator.Dispose();
}
Then it prints:
View Demo
When calling:
     enumerator.MoveNext();
     Console.WriteLine(enumerator.Current);
     enumerator.MoveNext();
     Console.WriteLine(enumerator.Current);
Then it prints:
     1
     2
     Finally executed
View Demo
IEnumerable<int> myMethod()
{
    for(int i=0; i <= 8675309; i++)
    {
        yield return i;
    }
}
...
// define the iterator
var it = myMethod.Take(3);
// force its immediate evaluation
// list will contain 0, 1, 2
var list = it.ToList();
Calling ToList, ToDictionary or ToArray will force the immediate evaluation of the enumeration, retrieving all the
elements into a collection.
While the yield keyword can be used to directly create an IEnumerable<T>, it can also be used in exactly the same
way to create an IEnumerator<T>. The only thing that changes is the return type of the method.
This can be useful if we want to create our own class which implements IEnumerable<T>:
     IEnumerator IEnumerable.GetEnumerator()
     {
         return GetEnumerator();
     }
}
(Note that this particular example is just illustrative, and could be more cleanly implemented with a single iterator
method returning an IEnumerable<T>.)
namespace ConsoleApplication33
{
    class Program
    {
        private static IEnumerable<BigInteger> Fibonacci()
        {
            BigInteger prev = 0;
            BigInteger current = 1;
            while (true)
            {
                yield return current;
                var next = prev + current;
                prev = current;
                current = next;
            }
        }
How it works under the hood (I recommend to decompile resulting .exe file in IL Disaambler tool):
Also note, that 10001th number is 468 bytes long. State machine only saves current and prev variables as fields.
While if we would like to save all numbers in the sequence from the first to the 10000th, the consumed memory
size will be over 4 megabytes. So lazy evaluation, if properly used, can reduce memory footprint in some cases.
The confusing part is that both of the keywords (or key phrases) make sense only within loops (foreach, while...) So
when to choose one over the other?
It's important to realize that once you use the yield keyword in a method you effectively turn the method into an
iterator. The only purpose of the such method is then to iterate over a finite or infinite collection and yield (output)
its elements. Once the purpose is fulfilled, there's no reason to continue method's execution. Sometimes, it
happens naturally with the last closing bracket of the method }. But sometimes, you want to end the method
prematurely. In a normal (non-iterating) method you would use the return keyword. But you can't use return in an
iterator, you have to use yield break. In other words, yield break for an iterator is the same as return for a
standard method. Whereas, the break statement just terminates the closest loop.
     /// <summary>
     /// Yields numbers from 0 to 9
     /// </summary>
     /// <returns>{0,1,2,3,4,5,6,7,8,9}</returns>
     public static IEnumerable<int> YieldBreak()
     {
         for (int i = 0; ; i++)
         {
             if (i < 10)
             {
                 // Yields a number
                 yield return i;
             }
             else
             {
                 // Indicates that the iteration has ended, everything
                 // from this line on will be ignored
                 yield break;
             }
         }
         yield return 10; // This will never get executed
     }
     ///   <summary>
     ///   Yields numbers from 0 to 10
     ///   </summary>
     ///   <returns>{0,1,2,3,4,5,6,7,8,9,10}</returns>
An event is a notification that something has occurred (such as a mouse click) or, in some cases, is about to occur
(such as a price change).
Classes can define events and their instances (objects) may raise these events. For instance, a Button may contain a
Click event that gets raised when a user has clicked it.
Event handlers are then methods that get called when their corresponding event is raised. A form may contain a
Clicked event handler for every Button it contains, for instance.
You can declare an event on any class or struct using the following syntax:
There is an expanded syntax for declaring events, where you hold a private instance of the event, and define a
public instance using add and set accessors. The syntax is very similar to C# properties. In all cases, the syntax
demonstrated above should be preferred, because the compiler emits code to help ensure that multiple threads
can safely add and remove event handlers to the event on your class.
Note that events can only be raised by the declaring type. Clients can only subscribe/unsubscribe.
For C# versions before 6.0, where EventName?.Invoke is not supported, it is a good practice to assign the event to a
temporary variable before invocation, as shown in the example, which ensures thread-safety in cases where
multiple threads execute the same code. Failing to do so may cause a NullReferenceException to be thrown in
certain cases where multiple threads are using the same object instance. In C# 6.0, the compiler emits code similar
to that shown in the code example for C# 6.
This approach is widely used in GUI frameworks like WinForms where controls can have dozens and even hundreds
of events.
Note that EventHandlerList is not thread-safe, so if you expect your class to be used from multiple threads, you
will need to add lock statements or other synchronization mechanism (or use a storage that provides thread
       Create a new event arg deriving from CancelEventArgs and add additional properties for event data.
       Create an event using EventHandler<T> and use the new cancel event arg class which you created.
Example
In the below example, we create a PriceChangingEventArgs event for Price property of a class. The event data
class contains a Value which let the consumer know about the new . The event raises when you assign a new value
to Price property and lets the consumer know the value is changing and let them to cancel the event. If the
consumer cancels the event, the previous value for Price will be used:
PriceChangingEventArgs
Product
Dynamically:
EventName += HandlerName;
    1. Click the Events button on the control's properties window (Lightening bolt)
    2. Double-click the Event name:
Event handler declaration using lambda operator => and subscribing to the event:
Declaration & subscription of an event handler that does not use the event's parameter, and so can use the above
syntax without needing to specify parameters:
EventName?.Invoke(SenderObject, EventArguments);
//Declaring an event
public event Action<Param1Type, Param2Type, ...> EventName;
It is possible to declare multiple events of the same type in a single statement, similar to with fields and local
variables (though this may often be a bad idea):
This declares three separate events (Event1, Event2, and Event3) all of type EventHandler.
Note: Although some compilers may accept this syntax in interfaces as well as classes, the C# specification (v5.0 §13.2.3)
provides grammar for interfaces that does not allow it, so using this in interfaces may be unreliable with different
      Create a class deriving from EventArgs and define properties for necessary data.
      As a convention, the name of the class should ends with EventArgs.
Example
In the below example, we create a PriceChangingEventArgs event for Price property of a class. The event data
class contains a CurrentPrice and a NewPrice. The event raises when you assign a new value to Price property and
lets the consumer know the value is changing and let them to know about current price and new price:
PriceChangingEventArgs
Product
     int price;
     public int Price
     {
         get { return price; }
         set
         {
             var e = new PriceChangingEventArgs(price, value);
             OnPriceChanging(e);
             price = value;
         }
     }
You can enhance the example by allowing the consumer to change the new value and then the value will be used
for property. To do so it's enough to apply these changes in classes.
Change the definition of Price to use e.NewPrice as value of property, after calling OnPriceChanging :
int price;
public int Price
{
    get { return price; }
    set
    {
        var e = new PriceChangingEventArgs(price, value);
        OnPriceChanging(e);
        price = e.NewPrice;
    }
}
String.Format("Hello {0} Foo {1}", "World", "Bar") //Hello World Foo Bar
char[] a = s.ToCharArray();
System.Array.Reverse(a);
string r = new string(a);
However, what these people don't realize is that this is actually wrong.
And I don't mean because of the missing NULL check.
It is actually wrong because a Glyph/GraphemeCluster can consist out of several codepoints (aka. characters).
To see why this is so, we first have to be aware of the fact what the term "character" actually means.
Reference:
     A code point is the atomic unit of information. Text is a sequence of code points. Each code point is a
     number which is given meaning by the Unicode standard.
     A grapheme is a sequence of one or more code points that are displayed as a single, graphical unit that a
     reader recognizes as a single element of the writing system. For example, both a and ä are graphemes,
     but they may consist of multiple code points (e.g. ä may be two code points, one for the base character a
     followed by one for the diaresis; but there's also an alternative, legacy, single code point representing this
     grapheme). Some code points are never part of any grapheme (e.g. the zero-width non-joiner, or
     directional overrides).
     A glyph is an image, usually stored in a font (which is a collection of glyphs), used to represent graphemes
     or parts thereof. Fonts may compose multiple glyphs into a single representation, for example, if the
     above ä is a single code point, a font may chose to render that as two separate, spatially overlaid glyphs.
     For OTF, the font's GSUB and GPOS tables contain substitution and positioning information to make this
     work. A font may contain multiple alternative glyphs for the same grapheme, too.
Which means, if you just reverse a valid string like Les Misérables, which can look like this
As you can see, the accent is on the R character, instead of the e character.
Although string.reverse.reverse will yield the original string if you both times reverse the char array, this kind of
reversal is definitely NOT the reverse of the original string.
        System.Globalization.TextElementEnumerator enumerator =
System.Globalization.StringInfo.GetTextElementEnumerator(s);
        while (enumerator.MoveNext())
        {
            ls.Add((string)enumerator.Current);
        }
           return ls;
     }
     // this
     private static string ReverseGraphemeClusters(string s)
     {
         if(string.IsNullOrEmpty(s) || s.Length == 1)
              return s;
           System.Collections.Generic.List<string> ls = GraphemeClusters(s);
           ls.Reverse();
           System.Console.WriteLine(r);
     }
And - oh joy - you'll realize if you do it correctly like this, it will also work for Asian/South-Asian/East-Asian languages
(and French/Swedish/Norwegian, etc.)...
        /// <summary>
        /// VB Right function
        /// </summary>
        /// <param name="stringparam"></param>
        /// <param name="numchars"></param>
        /// <returns>Right-most numchars characters</returns>
        public static string Right( this string stringparam, int numchars )
        {
           // Handle possible Null or numeric stringparam being passed
           stringparam += string.Empty;
        /// <summary>
        /// VB Mid function - to end of string
        /// </summary>
        /// <param name="stringparam"></param>
        /// <param name="startIndex">VB-Style startindex, 1st char startindex = 1</param>
        /// <returns>Balance of string beginning at startindex character</returns>
        public static string Mid( this string stringparam, int startindex )
         /// <summary>
         /// VB Mid function - for number of characters
         /// </summary>
         /// <param name="stringparam"></param>
         /// <param name="startIndex">VB-Style startindex, 1st char startindex = 1</param>
         /// <param name="numchars">number of characters to return</param>
         /// <returns>Balance of string beginning at startindex character</returns>
         public static string Mid( this string stringparam, int startindex, int numchars)
         {
            // Handle possible Null or numeric stringparam being passed
            stringparam += string.Empty;
          }
     }
string q = "{(Hi!*";
string r = q.Trim( '(', '*', '{' ); // "Hi!"
string delimiter=",";
char[] charArray = new[] { 'a', 'b', 'c' };
string inputString = String.Join(delimiter, charArray);
Output : a,b,c if we change the delimiter as "" then the output will become abc.
Output : a|b|c
Output : Ram_is_a_boy
Result:
Substring returns the string up from a given index, or between two indexes (both inclusive).
Using the System.String.Contains you can find out if a particular string exists within a string. The method returns
a boolean, true if the string exists else false.
string s = "hello";
char c = s[1]; //Returns 'e'
Notice that the return type is char, unlike the Substring method which returns a string type.
You can also use the indexer to iterate through the characters of the string:
string s = "hello";
foreach (char c in s)
    Console.WriteLine(c);
/********* This will print each character on a new line:
h
e
l
l
o
**********/
This method can also be used to remove part of a string, using the String.Empty field:
Note: The reason to use the invariant versions of these methods is to prevent producing unexpected culture-
specific letters. This is explained here in detail.
Example:
Note that you can choose to specify a specific Culture when converting to lowercase and uppercase by using the
String.ToLower(CultureInfo) and String.ToUpper(CultureInfo) methods accordingly.
To create expression trees 'by hand', one should use Expression class.
// Call the Compile method on the expression tree to return a delegate that can be called.
Func<int, bool> result = expr.Compile();
// Prints True.
// You can also combine the compile step with the call/invoke step as below:
Expression Trees enables dynamic modification of executable code, the execution of LINQ queries in various
databases, and the creation of dynamic queries. You can compile and run code represented by expression trees.
These are also used in the dynamic language run-time (DLR) to provide interoperability between dynamic languages
and the .NET Framework and to enable compiler writers to emit expression trees instead of Microsoft intermediate
language (MSIL).
When a lambda expression is assigned to Expression type variable , the compiler emits code to build an expression
tree that represents the lambda expression.
The following code examples shows how to have the C# compiler create an expression tree that represents the
lambda expression num => num < 5.
Expression Trees also created using the Expression Class. This class contains static factory methods that create
expression tree nodes of specific types.
   1. ParameterExpression
   2. MethodCallExpression
//For reference, we're using the API to build this lambda expression
    orderLine => orderLine.IsTaxable ? orderLine.Total * orderLine.Order.TaxRate : 0;
//The orderLine parameter we pass in to the method. We specify it's type (OrderLine) and the name of
the parameter.
    ParameterExpression orderLine = Expression.Parameter(typeof(OrderLine), "orderLine");
//Check if the parameter is taxable; First we need to access the is taxable property, then check if
it's true
    PropertyInfo isTaxableAccessor = typeof(OrderLine).GetProperty("IsTaxable");
    MemberExpression getIsTaxable = Expression.MakeMemberAccess(orderLine, isTaxableAccessor);
    UnaryExpression isLineTaxable = Expression.IsTrue(getIsTaxable);
     //Get the tax rate - notice that we pass the getOrder expression directly to the member access
     PropertyInfo taxRateAccessor = typeof(Order).GetProperty("TaxRate");
     MemberExpression getTaxRate = Expression.MakeMemberAccess(getOrder, taxRateAccessor);
     //Multiply the two - notice we pass the two operand expressions directly to multiply
     BinaryExpression multiplyTotalByRate = Expression.Multiply(getTotal, getTaxRate);
//If the line is not taxable, we'll return a constant value - 0.0 (decimal)
    ConstantExpression zero = Expression.Constant(0M);
class Example
{
    public static void Hello(int arg)
    {
        Console.WriteLine("int");
    }
int
double
At compile-time, when the compiler finds the method call Hello(0), it finds all methods with the name Hello. In
this case, it finds two of them. It then tries to determine which of the methods is better. The algorithm for
determining which method is better is complex, but it usually boils down to "make as few implicit conversions as
possible".
Thus, in the case of Hello(0), no conversion is needed for the method Hello(int) but an implicit numeric
conversion is needed for the method Hello(double). Thus, the first method is chosen by the compiler.
In the case of Hello(0.0), there is no way to convert 0.0 to an int implicitly, so the method Hello(int) is not even
considered for overload resolution. Only method remains and so it is chosen by the compiler.
class Program
{
    static void Method(params Object[] objects)
    {
        System.Console.WriteLine(objects.Length);
    }
    static void Method(Object a, Object b)
    {
        System.Console.WriteLine("two");
    }
    static void Main(string[] args)
              Method(objectArray);
              Method(objectArray, objectArray);
              Method(objectArray, objectArray, objectArray);
      }
}
will print:
5
two
3
The call expression Method(objectArray) could be interpreted in two ways: a single Object argument that happens
to be an array (so the program would output 1 because that would be the number of arguments, or as an array of
arguments, given in the normal form, as though the method Method did not have the keyword params. In these
situations, the normal, non-expanded form always takes precedence. So, the program outputs 5.
In the second expression, Method(objectArray, objectArray), both the expanded form of the first method and
the traditional second method are applicable. In this case also, non-expanded forms take precedence, so the
program prints two.
In the third expression, Method(objectArray, objectArray, objectArray), the only option is to use the expanded
form of the first method, and so the program prints 3.
void F1(MyType1 x) {
    // do something
}
void F1(MyType2 x) {
    // do something else
}
and for some reason you need to call the first overload of F1 but with x = null, then doing simply
F1(null);
will not compile as the call is ambiguous. To counter this you can do
F1(null as MyType1);
The Format methods are a set of overloads in the System.String class used to create strings that combine objects
into specific string representations. This information can be applied to String.Format, various WriteLine methods
as well as other methods in the .NET framework.
More examples for this under the topic C# 6.0 features: String interpolation.
           if (format == "Reverse")
           {
               return String.Join("", arg.ToString().Reverse());
           }
           return arg.ToString();
      }
Usage:
Output:
Console.Write(String.Format("{0:dd}",date));
output :
06
Лхагва
06
Specifier             Meaning            Sample                Result
d        Date                           {0:d}    7/6/2016
dd         Day, zero-padded             {0:dd}   06
ddd        Short day name               {0:ddd} Wed
dddd       Full day name                {0:dddd} Wednesday
D          Long date                    {0:D}    Wednesday, July 6, 2016
f          Full date and time, short    {0:f}    Wednesday, July 6, 2016 6:30 PM
ff          Second fractions, 2 digits   {0:ff}   20
fff         Second fractions, 3 digits   {0:fff} 201
ffff         Second fractions, 4 digits   {0:ffff} 2016
F          Full date and time, long     {0:F}    Wednesday, July 6, 2016 6:30:14 PM
Precision
Currency Symbol
2. Use any string as currency symbol. Use NumberFormatInfo as to customize currency symbol.
Use CurrencyPositivePattern for positive values and CurrencyNegativePattern for negative values.
Negative pattern usage is the same as positive pattern. A lot more use cases please refer to original link.
// invariantResult is "1,234,567.89"
var invarianResult = string.Format(CultureInfo.InvariantCulture, "{0:#,###,##}", 1234567.89);
// customResult is "1_GS_234_GS_567_NS_89"
var customResult = string.Format(customProvider, "{0:#,###.##}", 1234567.89);
Output:
// Decimals
string.Format("Decimal, fixed precision: {0:0.000}; as percents: {0:0.00%}", 0.12);
Output:
...
However, the class User can also override ToString() in order to alter the string it returns. The code fragment below
prints out "Id: 5, Name: User1" to the console.
...
An easier approach might be to simply use the ToString() method available on all objects within C#. It supports all
of the same standard and custom formatting strings, but doesn't require the necessary parameter mapping as
there will only be a single argument :
While this approach may be simpler in some scenarios, the ToString() approach is limited with regards to adding
left or right padding like you might do within the String.Format() method :
In order to accomplish this same behavior with the ToString() method, you would need to use another method
like PadLeft() or PadRight() respectively :
The operation is evaluated at compile-time, which means that you can rename a referenced identifier, using an
IDE's rename feature, and the name string will update with it.
Would output
myString
because the name of the variable is "myString". Refactoring the variable name would change the string.
If called on a reference type, the nameof operator returns the name of the current reference, not the name or type
name of the underlying object. For example:
                 _address = value;
                 OnPropertyChanged(nameof(Address));
           }
       }
}
...
Console Output
Address
Over
...
      switch (e.PropertyName)
      {
          case nameof(bugReport.Title):
              Console.WriteLine("{0} changed to {1}", e.PropertyName, bugReport.Title);
              break;
          case nameof(bugReport.Status):
              Console.WriteLine("{0} changed to {1}", e.PropertyName, bugReport.Status);
              break;
      }
}
...
Console Output
Console.WriteLine(nameof(SomeClass<int>));
Console Output
TItem
SomeClass
...
Console Output
paramValue
Console.WriteLine(nameof(CompanyNamespace.MyNamespace));
Console.WriteLine(nameof(MyClass));
Console.WriteLine(nameof(MyClass.MyNestedClass));
Console.WriteLine(nameof(MyNamespace.MyClass.MyNestedClass.MyStaticProperty));
Console Output
MyNamespace
MyClass
MyNestedClass
MyStaticProperty
class Program
{
    static void Main(string[] args)
    {
        unsafe
        {
            int[] array = new int[1000];
            fixed (int* ptr = array)
            {
                for (int i = 0; i < array.Length; i++)
                {
                    *(ptr+i) = i; //assigning the value with the pointer
                }
            }
        }
    }
}
class Program
{
    static void Main(string[] args)
    {
        int[] array = new int[1000];
The unsafe part will generally be faster and the difference in performance can vary depending on the complexity of
the elements in the array as well as the logic applied to each one. Even though it may be faster, it should be used
with care since it is harder to maintain and easier to break.
Running this code creates an array of length 3, but then tries to get the 5th item (index 4). On my machine, this
printed 1910457872, but the behavior is not defined.
Without the unsafe block, you cannot use pointers, and therefore cannot access values past the end of an array
without causing an exception to be thrown.
var cctor =
    dynType.DefineConstructor(
dynType.CreateType();
dynAsm.Save(an.Name + ".dll");
Book theBook = new Book { Title = "Don Quixote", Author = "Miguel de Cervantes" };
This is equivalent to
var someBook = new Book(16) { Title = "Don Quixote", Author = "Miguel de Cervantes" }
This will first instantiate a Book with the Book(int) constructor, then set each property in the initializer. It is
equivalent to:
/// <summary>
/// Bar method description
/// </summary>
public void Bar()
{
Information inside the tags can be used by Visual Studio and other tools to provide services such as IntelliSense:
In Visual Studio 2013/2015, In Project -> Properties -> Build -> Output, check the XML documentation file
checkbox:
When you build the project, an XML file will be produced by the compiler with a name corresponding to the project
name (e.g. XMLDocumentation.dll -> XMLDocumentation.xml).
When you use the assembly in another project, make sure that the XML file is in the same directory as the DLL
being referenced.
/// <summary>
/// Data class description
/// </summary>
public class DataClass
{
    /// <summary>
    /// Name property description
    /// </summary>
    public string Name { get; set; }
}
/// <summary>
/// Foo function
/// </summary>
public class Foo
{
    /// <summary>
    /// This method returning some data
    /// </summary>
    /// <param name="id">Id parameter</param>
    /// <param name="time">Time parameter</param>
    /// <returns>Data will be returned</returns>
    public DataClass GetData(int id, DateTime time)
    {
        return new DataClass();
    }
}
<?xml version="1.0"?>
<doc>
    <assembly>
        <name>XMLDocumentation</name>
    </assembly>
    <members>
        <member name="T:XMLDocumentation.DataClass">
            <summary>
            Data class description
            </summary>
        </member>
        <member name="P:XMLDocumentation.DataClass.Name">
            <summary>
            Name property description
            </summary>
        </member>
        <member name="T:XMLDocumentation.Foo">
            <summary>
            Foo function
            </summary>
        </member>
        <member name="M:XMLDocumentation.Foo.GetData(System.Int32,System.DateTime)">
            <summary>
            This method returning some data
            </summary>
            <param name="id">Id parameter</param>
            <param name="time">Time parameter</param>
            <returns>Data will be returned</returns>
Tip: If Intellisense doesn't display in Visual Studio, delete the first bracket or comma and then type it again.
/// <summary>
/// This Bar class implements ICanDoFoo interface
/// </summary>
public class Bar : ICanDoFoo
{
    // ...
}
Result
Interface summary
Class summary
/// <summary>
/// You might also want to check out <see cref="SomeOtherClass"/>.
/// </summary>
public class SomeClass
{
}
In Visual Studio Intellisense popups such references will also be displayed colored in the text.
/// <summary>
/// An enhanced version of <see cref="List{T}"/>.
/// </summary>
public class SomeGenericClass<T>
{
}
Conditional expressions are typically used to log additional information for debug builds.
void SomeFunc()
{
    try
    {
        SomeRiskyMethod();
    }
    catch (ArgumentException ex)
    {
        #if DEBUG
        log.Error("SomeFunc", ex);
        #endif
           HandleException(ex);
       }
}
#line controls the line number and filename reported by the compiler when outputting warnings and errors.
void Test()
{
    #line 42 "Answer"
    #line filename "SomeFile.cs"
    int life; // compiler warning CS0168 in "SomeFile.cs" at Line 42
    #line default
    // compiler warnings reset to default
}
Pragma Checksum
#pragma checksum allows the specification of a specific checksum for a generated program database (PDB) for
debugging.
There are three ways to define a compiler symbol. They can be defined via code:
#define MYSYMBOL
They can be defined in Visual Studio, under Project Properties > Build > Conditional Compilation Symbols:
(Note that DEBUG and TRACE have their own checkboxes and do not need to be specified explicitly.)
Or they can be defined at compile-time using the /define:[name] switch on the C# compiler, csc.exe.
The most prevalent example of this is the DEBUG symbol, which gets defined by Visual Studio when an application is
compiled in Debug mode (versus Release mode).
In the example above, when an error occurs in the business logic of the application, if the application is compiled in
Debug mode (and the DEBUG symbol is set), the error will be written to the trace log, and the exception will be re-
#endregion
These directives are only beneficial when an IDE that supports collapsible regions (such as Visual Studio) is used to
edit the code.
// Will not generate the "unused variable" compiler warning since it was disabled
var x = 5;
// Will generate a compiler warning since the warning was just restored
var y = 8;
The CS prefix is optional, and can even be intermixed (though this is not a best practice):
#if SOME_SYMBOL
#error This is a compiler Error.
#elif SOME_OTHER_SYMBOL
#warning This is a compiler Warning.
Go to Solution Explorer -> Click Right Mouse on project you want to set variable to -> Properties -> Build ->
In General find field Conditional compilation symbols and enter your conditional variable here
#define EXAMPLE_A
     [Conditional("EXAMPLE_A")]
     static void ExampleA() {...}
     [Conditional("EXAMPLE_B")]
     static void ExampleB() {...}
}
Console.WriteLine(info.Another);
// 456
Console.WriteLine(info.DoesntExist);
// Throws RuntimeBinderException
foo = "123";
Console.WriteLine(foo + 234);
// 123234
Console.WriteLine(foo.ToUpper()):
// NOW A STRING
class IfElseExample
{
    public string DebugToString(object a)
    {
        if (a is StringBuilder)
class DynamicExample
{
    public string DebugToString(object a)
    {
        return DebugToStringInternal((dynamic)a);
    }
The advantage to the dynamic, is adding a new Type to handle just requires adding an overload of
DebugToStringInternal of the new type. Also eliminates the need to manually cast it to the type as well.
Conversely, dynamic has dynamic type checking, opting for runtime errors, instead of compile-time errors.
If the member names are not specified, they are set to the name of the property/variable used to initialize the
object.
int foo = 1;
int bar = 2;
var anon2 = new { foo, bar };
// anon2.foo == 1
// anon2.bar == 2
Note that names can only be omitted when the expression in the anonymous type declaration is a simple property
access; for method calls or more complex expressions, a property name must be specified.
Two anonymous types are considered the same if and only if their properties have the same name and type and
appear in the same order.
In the case of List<T>, implicitly typed arrays may be converted to a List<T> through the ToList LINQ method:
struct instance fields can be set via a parametrized constructor or individually after struct construction.
Structs cannot inherit from any other type, but they can implement interfaces.
      Structs are copied on assignment, meaning all data is copied to the new instance and changes to one of them
      are not reflected by the other.
      Vector   v2;
      v2.X =   1;
      v2.Y =   2;
      v2.Z =   3;
      A struct cannot declare a parameterless constructor. struct instance fields can be set via a parameterized
      constructor or individually after struct construction. Private members can only be initialized by the
      constructor.
      A struct cannot declare members as protected, since it is implicitly sealed.
      Struct fields can only be initialized if they are const or static.
Without constructor:
Vector v1;
v1.Y = 2;
v1.Z = 3;
Vector   v1;
v1.X =   1;
v1.Y =   2;
v1.Z =   3;
Point point3;
point3.x = 0.5;
point3.y = 0.6;
If we use a struct with its constructor, we aren't going to have problems with unassigned field (each unassigned
field has null value).
Console.WriteLine($"{p1.x} {p1.y}"); // 1 2
var p2 = p1;
Console.WriteLine($"{p2.x} {p2.y}"); // Same output: 1 2
p1.x = 3;
Console.WriteLine($"{p1.x} {p1.y}"); // 3 2
Console.WriteLine($"{p2.x} {p2.y}"); // p2 remain the same: 1 2
var   tuple   =   new Tuple<string, int, bool, MyClass>("foo", 123, true, new MyClass());
var   item1   =   tuple.Item1; // "foo"
var   item2   =   tuple.Item2; // 123
var   item3   =   tuple.Item3; // true
var   item4   =   tuple.Item4; // new My Class()
Tuples can also be created using static Tuple.Create methods. In this case, the types of the elements are inferred
by the C# Compiler.
(int number, bool flag, MyClass instance) tuple = (123, true, new MyClass());
As an example, an enumerable whose elements are of type Tuple can be sorted based on comparisons operators
defined on a specified element:
// Output:
void Write()
{
    var result = AddMultiply(25, 28);
    Console.WriteLine(result.Item1);
    Console.WriteLine(result.Item2);
}
Output:
     53
     700
Now C# 7.0 offers an alternative way to return multiple values from methods using value tuples More info about
ValueTuple struct.
This is useful when P/Invoking to native code, mapping to data sources, and similar circumstances. In general, the
default int should be used, because most developers expect an enum to be an int.
     An enumeration type (also named an enumeration or an enum) provides an efficient way to define a set
     of named integral constants that may be assigned to a variable.
Essentially, an enum is a type that only allows a set of finite options, and each option corresponds to a number. By
default, those numbers are increasing in the order the values are declared, starting from zero. For example, one
could declare an enum for the days of the week:
By default the underlying type of each element in the enum is int, but byte, sbyte, short, ushort, uint, long and
ulong can be used as well. If you use a type other than int, you must specify the type using a colon after the enum
name:
Enum.GetUnderlyingType(typeof(Days)));
Output:
System.Byte
[Flags]
enum MyEnum
{
    //None = 0, can be used but not combined in bitwise operations
    FlagA = 1,
    FlagB = 2,
    FlagC = 4,
    FlagD = 8
    //you must use powers of two or combinations of powers of two
    //for bitwise operations to work
}
// This will enumerate all the flags in the variable: "FlagA, FlagB".
Console.WriteLine(twoFlags);
Because FlagsAttribute relies on the enumeration constants to be powers of two (or their combinations) and
enum values are ultimately numeric values, you are limited by the size of the underlying numeric type. The largest
available numeric type that you can use is UInt64, which allows you to specify 64 distinct (non-combined) flag enum
constants. The enum keyword defaults to the underlying type int, which is Int32. The compiler will allow the
declaration of values wider than 32 bit. Those will wrap around without a warning and result in two or more enum
members of the same value. Therefore, if an enum is meant to accomodate a bitset of more than 32 flags, you need
to specify a bigger type explicitely:
Although flags are often only a single bit, they can be combined into named "sets" for easier use.
[Flags]
enum FlagsEnum
{
    None = 0,
    Option1 = 1,
    Option2 = 2,
    Option3 = 4,
To avoid spelling out the decimal values of powers of two, the left-shift operator (<<) can also be used to declare the
same enum
[Flags]
enum FlagsEnum
{
    None = 0,
    Option1 = 1 << 0,
    Option2 = 1 << 1,
    Option3 = 1 << 2,
To check if the value of enum variable has a certain flag set, the HasFlag method can be used. Let's say we have
[Flags]
enum MyEnum
{
    One = 1,
    Two = 2,
    Three = 4
}
And a value
if(value.HasFlag(MyEnum.One))
    Console.WriteLine("Enum has One");
if(value.HasFlag(MyEnum.Two))
    Console.WriteLine("Enum has Two");
if(value.HasFlag(MyEnum.Three))
    Console.WriteLine("Enum has Three");
Also we can iterate through all values of enum to get all flags that are set
     if (value.HasFlag(item))
         Console.WriteLine("Enum has " + name);
}
This also helps to improve readability of large enums with plenty of flags in them.
[Flags]
public enum MyEnum
{
    None = 0,
    Flag1 = 1 << 0,
    Flag2 = 1 << 1,
    Flag3 = 1 << 2,
    Flag4 = 1 << 3,
    Flag5 = 1 << 4,
    ...
    Flag31 = 1 << 30
}
It is obvious now that MyEnum contains proper flags only and not any messy stuff like Flag30 = 1073741822 (or
111111111111111111111111111110 in binary) which is inappropriate.
[Flags]
enum FlagsEnum
{
    Option1 = 1,
    Option2 = 2,
    Option3 = 4,
    Option2And3 = Option2 | Option3;
The Default value is actually a combination of two others merged with a bitwise OR. Therefore to test for the
presence of a flag we need to use a bitwise AND.
Assert.True(isOption2And3Set);
[Flags]
public enum   MyEnum
{
    Flag1 =   1 << 0,
    Flag2 =   1 << 1,
    Flag3 =   1 << 2
}
// remove flag
value &= ~MyEnum.Flag2; //value is now Flag1, Flag3
// Enum to string
string thursday = DayOfWeek.Thursday.ToString(); // "Thursday"
// String to enum (.NET 4.0+ only - see below for alternative syntax for earlier .NET versions)
DayOfWeek tuesday;
Enum.TryParse("Tuesday", out tuesday); // DayOfWeek.Tuesday
DayOfWeek sunday;
bool matchFound1 = Enum.TryParse("SUNDAY", out sunday); // Returns false (case-sensitive match)
DayOfWeek wednesday;
bool matchFound2 = Enum.TryParse("WEDNESDAY", true, out wednesday); // Returns true;
DayOfWeek.Wednesday (case-insensitive match)
Although the below enum type DaysOfWeek only has 7 defined values, it can still hold any int value.
DaysOfWeek d = (DaysOfWeek)31;
Console.WriteLine(d); // prints 31
DaysOFWeek s = DaysOfWeek.Sunday;
s++; // No error
There is currently no way to define an enum which does not have this behavior.
However, undefined enum values can be detected by using the method Enum.IsDefined. For example,
DaysOfWeek d = (DaysOfWeek)31;
Console.WriteLine(Enum.IsDefined(typeof(DaysOfWeek),d)); // prints False
           if (e == EnumExample.one)
               Console.WriteLine("defaults to one");
Example: https://dotnetfiddle.net/l5Rwie
For example:
Now, if you would like to return the description of a specific enum value you can do the following:
This can also be easily transformed to an extension method for all enums:
foreach(MyEnum e in Enum.GetValues(typeof(MyEnum)))
    Console.WriteLine(e);
One
Two
Three
[Flags]
enum Colors
{
    Red=1,
    Blue=2,
    Green=4,
    Yellow=8
}
prints Red,Blue
enum Colors
{
    Red=1,
    Blue=2,
    Green=4,
    Yellow=8
}
var color = Colors.Red | Colors.Blue;
Console.WriteLine(color.ToString());
prints 3
private
internal
protected
protected internal
Assembly 1
Assembly 2
void MyMethod2()
          // Compile Error
          var myProtectedInternalProperty = foo.MyProtectedInternalProperty;
          // Compile Error
          var myProtectedInternalNestedInstance =
              new Foo.MyProtectedInternalNestedClass();
     }
          // Compile Error
          var myProtectedInternalProperty = baz.MyProtectedInternalProperty;
          // Compile Error
          var myProtectedInternalNestedInstance =
              new Baz.MyProtectedInternalNestedClass();
     }
     void MyMethod2()
     {
         Foo foo = new Foo();
         var myPublicProperty = foo.MyPublicProperty;
          //Compile Error
          var myProtectedInternalProperty = foo.MyProtectedInternalProperty;
          // Compile Error
          var myProtectedInternalNestedInstance =
              new Foo.MyProtectedInternalNestedClass();
     }
}
This can be broken to allow a testing assembly to access the code via adding code to AssemblyInfo.cs file:
using System.Runtime.CompilerServices;
[assembly:InternalsVisibleTo("MyTests")]
           if (result.Status == System.Net.NetworkInformation.IPStatus.Success)
           {
               Console.WriteLine(string.Format("{0} is online", url));
           }
     });
}
           if (result.Status == System.Net.NetworkInformation.IPStatus.Success)
           {
               Console.WriteLine(string.Format("{0} is online", urls[i]));
           }
     });
}
     System.Threading.Tasks.Parallel.Invoke(
         () => PingUrl(urls[0]),
         () => PingUrl(urls[1]),
         () => PingUrl(urls[2]),
         () => PingUrl(urls[3])
     );
}
     if (result.Status == System.Net.NetworkInformation.IPStatus.Success)
     {
         Console.WriteLine(string.Format("{0} is online", url));
     }
}
GetCustomAttribute also has generic signature to specify type of attribute to search for.
Boolean argument inherit can be passed to both of those methods. If this value set to true the ancestors of
element would be also to inspected.
Expressions that are wrapped in {} will be evaluated by the debugger. This can be a simple property like in the
following sample or more complex logic.
[DebuggerDisplay("{StringProperty} - {IntProperty}")]
public class AnObject
{
   public int ObjectId { get; set; }
   public string StringProperty { get; set; }
   public int IntProperty { get; set; }
}
Adding ,nq before the closing bracket removes the quotes when outputting a string.
[DebuggerDisplay("{StringProperty,nq} - {IntProperty}")]
Even though general expressions are allowed in the {} they are not recommended. The DebuggerDisplay attribute
will be written into the assembly metadata as a string. Expressions in {} are not checked for validity. So a
DebuggerDisplay attribute containing more complex logic than i.e. some simple arithmetic might work fine in C#,
but the same expression evaluated in VB.NET will probably not be syntactically valid and produce an error while
debugging.
A way to make DebuggerDisplay more language agnostic is to write the expression in a method or property and call
it instead.
[DebuggerDisplay("{DebuggerDisplay(),nq}")]
public class AnObject
{
   public int ObjectId { get; set; }
   public string StringProperty { get; set; }
   public int IntProperty { get; set; }
One might want DebuggerDisplayto output all or just some of the properties and when debugging and inspecting
also the type of the object.
The example below also surrounds the helper method with #if DEBUG as DebuggerDisplay is used in debugging
environments.
[DebuggerDisplay("{DebuggerDisplay(),nq}")]
public class AnObject
{
   public int ObjectId { get; set; }
   public string StringProperty { get; set; }
   public int IntProperty { get; set; }
#if DEBUG
   private string DebuggerDisplay()
    {
        return
            $"ObjectId:{this.ObjectId}, StringProperty:{this.StringProperty},
Type:{this.GetType()}";
    }
    #endif
}
using System.Runtime.CompilerServices;
Notice that only the first parameter is passed explicitly to the LogException method whereas the rest of them will
be provided at compile time with the relevant values.
The callerLineNumber parameter will receive the number of whichever line the LogException method call is
written on.
And the 'callerFilePath' parameter will receive the full path of the file Save method is declared in.
In case the class above is used, the compiler will give the warning "This class is obsolete. Use SomeOtherClass
instead."
using System;
using System.Linq;
using System.Reflection;
namespace InterfaceAttributesDemo {
var attribute2 =
One way to retrieve interface attributes is to search for them through all the interfaces implemented by a class.
Depending on your needs you can also format the Guid, by adding a format type argument to the ToString call.
// None          "7febf16f651b43b0a5e30da8da49e90d"
Console.WriteLine(guid.ToString("N"));
// Hyphens       "7febf16f-651b-43b0-a5e3-0da8da49e90d"
Console.WriteLine(guid.ToString("D"));
// Braces        "{7febf16f-651b-43b0-a5e3-0da8da49e90d}"
Console.WriteLine(guid.ToString("B"));
// Parentheses   "(7febf16f-651b-43b0-a5e3-0da8da49e90d)"
Console.WriteLine(guid.ToString("P"));
// Hex           "{0x7febf16f,0x651b,0x43b0{0xa5,0xe3,0x0d,0xa8,0xda,0x49,0xe9,0x0d}}"
Console.WriteLine(guid.ToString("X"));
Guid g = Guid.Empty;
Guid g2 = new Guid();
Guid g = Guid.NewGuid();
Declaration :
This implementation is thread-safe because in this case instance object is initialized in the static constructor. The
CLR already ensures that all static constructors are executed thread-safe.
Mutating instance is not a thread-safe operation, therefore the readonly attribute guarantees immutability after
initialization.
      private LazySingleton() { }
}
Using Lazy<T> will make sure that the object is only instantiated when it is used somewhere in the calling code.
using System;
    private ThreadSafeSingleton()
    {
    }
            return instance;
        }
    }
}
Notice that the if (instance == null) check is done twice: once before the lock is acquired, and once afterwards.
This implementation would still be thread-safe even without the first null check. However, that would mean that a
lock would be acquired every time the instance is requested, and that would cause performance to suffer. The first
null check is added so that the lock is not acquired unless it's necessary. The second null check makes sure that
only the first thread to acquire the lock then creates the instance. The other threads will find the instance to be
populated and skip ahead.
Because the Nested class is nested and private the instantiation of the singleton instance will not be triggered by
accessing other members of the Sigleton class (such as a public readonly property, for example).
The example delegate instance is executed in the same way as the Square method. A delegate instance literally acts
as a delegate for the caller: the caller invokes the delegate, and then the delegate calls the target method. This
indirection decouples the caller from the target method.
You can declare a generic delegate type, and in that case you may specify that the type is covariant (out) or
contravariant (in) in some of the type arguments. For example:
Like other generic types, generic delegate types can have constraints, such as where TFrom : struct,
IConvertible where TTo : new().
Avoid co- and contravariance for delegate types that are meant to be used for multicast delegates, such as event
handler types. This is because concatenation (+) can fail if the run-time type is different from the compile-time type
because of the variance. For example, avoid:
Also supported are delegates where some parameters are modified by ref or out, as in:
(sample use TryParser<decimal> example = decimal.TryParse;), or delegates where the last parameter has the
params modifier. Delegate types can have optional parameters (supply default values). Delegate types can use
pointer types like int* or char* in their signatures or return types (use unsafe keyword). A delegate type and its
parameters can carry custom attributes.
The System namespace also contains Action<...> delegate types with different number of generic parameters
(from 0 to 16). It is similar to Func<T1, .., Tn>, but it always returns void.
Predicate<T> is also a form of Func but it will always return bool. A predicate is a way of specifying a custom
criteria. Depending on the value of the input and the logic defined within the predicate, it will return either true or
false. Predicate<T> therefore behaves in the same way as Func<T, bool> and both can be initialized and used in
the same way.
The choice of whether to use Predicate<T> or Func<T, bool> is really a matter of opinion. Predicate<T> is
arguably more expressive of the author's intent, while Func<T, bool> is likely to be familiar to a greater proportion
of C# developers.
In addition to that, there are some cases where only one of the options is available, especially when interacting with
another API. For example List<T> and Array<T> generally take Predicate<T> for their methods, while most LINQ
extensions only accept Func<T, bool>.
using System;
using System.Reflection;
using System.Reflection.Emit;
namespace DelegatesExample {
    class MainClass {
        private delegate void MyDelegate(int a);
               // Output:
               // 1
               d1(1);
               // Output:
               // System.Int32
               d2(1);
               MyDelegate d3 = d1 + d2;
               // Output:
               // 1
               // System.Int32
               d3(1);
               MyDelegate d4 = d3 - d2;
               // Output:
               // 1
               d4(1);
               // Output:
               // True
               Console.WriteLine(d1 == d4);
In this example d3 is a combination of d1 and d2 delegates, so when called the program outputs both 1 and
System.Int32 strings.
If a multicast delegate has a nonvoid return type, the caller receives the return value from the last method to be
invoked. The preceding methods are still called, but their return values are discarded.
      class Program
      {
          public delegate int Transformer(int x);
t(2) will call first Square and then Cube. The return value of Square is discarded and return value of the last method
i.e. Cube is retained.
           if(exceptions.Any())
           {
               throw new AggregateException(exceptions);
           }
          try
          {
              delegateInstance.SafeInvoke();
          }
          catch(AggregateException ex)
          {
              // Do any exception handling here
          }
     }
This outputs:
Target 2 executed
Target 1 executed
Console.WriteLine(action1.Equals(action1)) // True
Console.WriteLine(action1.Equals(action2)) // False
Console.WriteLine(action1Again.Equals(action1)) // True
These rules also apply when doing += or -= on a multicast delegate, for example when subscribing and
unsubscribing from events.
They are the same instance method, on the same instance of a class
// ...
       Console.WriteLine(instance1.Equals(instance2)); // False
       Console.WriteLine(instance1.Equals(instance1Again)); // True
Console.WriteLine(@static.Equals(staticAgain)); // True
Example.AddOne takes an int and returns an int, its signature matches the delegate Func<int,int>.
Example.AddOne can be directly assigned to addOne because they have matching signatures.
Note that the explicit declaration of type is required when creating a variable this way:
          //or this:
          if(DateIsValid(this)){
              CallAnotherMethod();
          }
      }
}
In the spirit of clean coding, encapsulating checks and transformations like the one above as a Func can make your
code easier to read and understand. While the above example is very simple, what if there were multiple DateTime
properties each with their own differing validation rules and we wanted to check different combinations? Simple,
one-line Funcs that each have established return logic can be both readable and reduce the apparent complexity of
your code. Consider the below Func calls and imagine how much more code would be cluttering up the method:
class FuncAsParameters
{
  public void Run()
  {
    DoSomething(ErrorHandler1);
    DoSomething(ErrorHandler2);
  }
        In essence, a closure is a block of code which can be executed at a later time, but which maintains the
        environment in which it was first created - i.e. it can still use the local variables etc of the method which
        created it, even after that method has finished executing. -- Jon Skeet
Nullable<int> i = null;
Or:
int? i = null;
Or:
var i = (int?)null;
Nullable<int> i = 0;
Or:
int? i = 0;
if (i != null)
{
     Console.WriteLine("i is not null");
}
else
{
     Console.WriteLine("i is null");
}
if (i.HasValue)
{
     Console.WriteLine("i is not null");
}
else
{
     Console.WriteLine("i is null");
}
int? i = 10;
int j = i ?? 0;
int j = i.GetValueOrDefault(0);
int j = i.HasValue ? i.Value : 0;
The following usage is always unsafe. If i is null at runtime, a System.InvalidOperationException will be thrown.
At design time, if a value is not set, you'll get a Use of unassigned local variable 'i' error.
int j = i.Value;
class Program
{
    static void Main()
    {
        int? nullableExample = null;
        int result = nullableExample.GetValueOrDefault();
        Console.WriteLine(result); // will output the default value for int - 0
        int secondResult = nullableExample.GetValueOrDefault(1);
        Console.WriteLine(secondResult) // will output our specified default - 1
        int thirdResult = nullableExample ?? 1;
        Console.WriteLine(secondResult) // same as the GetValueOrDefault but a bit shorter
    }
}
Output:
0
1
Output:
null
There are some tricks which allow to effectively use the result of the Nullable.GetUnderlyingType method when
creating code related to reflection/code-generation purposes:
The usage:
if(type.IsNullable())
    Console.WriteLine("Type is nullable.");
Type underlyingType;
if(type.IsNullable(out underlyingType))
    Console.WriteLine("The underlying type is " + underlyingType.Name + ".");
if(type.IsExactOrNullable<int>())
    Console.WriteLine("Type is either exact or nullable Int32.");
if(!type.IsExactOrNullable(t => t.IsEnum))
    Console.WriteLine("Type is neither exact nor nullable enum.");
Output:
System.Nullable`1[System.Int32]
Type is nullable.
The underlying type is Int32.
Type is either exact or nullable Int32.
Type is neither exact nor nullable enum.
A weak reference is a reference, that allows the GC to collect the object while still allowing to access the object. A
weak reference is valid only during the indeterminate amount of time until the object is collected when no strong
references exist. When you use a weak reference, the application can still obtain a strong reference to the object,
which prevents it from being collected. So weak references can be useful for holding on to large objects that are
expensive to initialize, but should be available for garbage collection if they are not actively in use.
Simple usage:
GC.Collect();
So weak references could be used to maintain, for example, a cache of objects. However, it is important to
remember that there is always the risk that the garbage collector will get to the object before a strong reference is
reestablished.
Weak references are also handy for avoiding memory leaks. A typical use case is with events.
This code registers an event handler and creates a strong reference from the event source to the listening object. If
the source object has a longer lifetime than the listener, and the listener doesn't need the event anymore when
there are no other references to it, using normal .NET events causes a memory leak: the source object holds
listener objects in memory that should be garbage collected.
In this case, it may be a good idea is to use the Weak Event Pattern.
Something like:
               add(handler);
           }
      }
As MSDN suggests:
       Use long weak references only when necessary as the state of the object is unpredictable after finalization.
       Avoid using weak references to small objects because the pointer itself may be as large or larger.
       Avoid using weak references as an automatic solution to memory management problems. Instead, develop
       an effective caching policy for handling your application's objects.
Starting with .NET 4.5.1 there is an option to explicitly compact the Large Object Heap (along with a garbage
collection):
GCSettings.LargeObjectHeapCompactionMode = GCLargeObjectHeapCompactionMode.CompactOnce;
GC.Collect();
Just as any explicit garbage collection request (it's called request because the CLR is not forced to conduct it) use
with care and by default avoid it if you can since it can de-calibrate GCs statistics, decreasing its performance.
// Declare Variables
string host = "stackoverflow.com";
int port = 9999;
int timeout = 5000;
The simplest use of this, using the "using" pattern, is shown below:
What this example does is it uses "using" to make sure that your web client is cleaned up correctly when finished,
and simply transfers the named resource from the URL in the first parameter, to the named file on your local hard
drive in the second parameter.
The first parameter is of type "System.Uri", the second parameter is of type "System.String"
You can also use this function is an async form, so that it goes off and performs the download in the background,
while your application get's on with something else, using the call in this way is of major importance in modern
applications, as it helps to keep your user interface responsive.
When you use the Async methods, you can hook up event handlers that allow you to monitor the progress, so that
One important point to remember if you use the Async versions however, and that's "Be very carefull about using
them in a 'using' syntax".
The reason for this is quite simple. Once you call the download file method, it will return immediately. If you have
this in a using block, you will return then exit that block, and immediately dispose the class object, and thus cancel
your download in progress.
If you use the 'using' way of performing an Async transfer, then be sure to stay inside the enclosing block until the
transfer completes.
// Declare Variables
string host = "stackoverflow.com";
int port = 9999;
int timeout = 5000;
Below is an example of a UDP listener to complement the above client. It will constantly sit and listen for traffic on a
given port and simply write that data to the console. This example contains a control flag 'done' that is not set
internally and relies on something to set this to allow for ending the listener and exiting.
Indices in C# are zero-based. The indices of the array above will be 0-9. For example:
Which means the system starts counting the element index from 0. Moreover, accesses to elements of arrays are
done in constant time. That means accessing to the first element of the array has the same cost (in time) of
accessing the second element, the third element and so on.
You may also declare a bare reference to an array without instantiating an array.
An array can also be created and initialized with custom values using collection initialization syntax:
The new int[] portion can be omitted when declaring an array variable. This is not a self-contained expression, so
using it as part of a different call does not work (for that, use the version with new):
Alternatively, in combination with the var keyword, the specific type may be omitted so that the type of the array is
inferred:
// same     as int[]
var arr     = new [] { 1, 2, 3 };
// same     as string[]
var arr     = new [] { "one", "two", "three" };
// same     as double[]
var arr     = new [] { 1.0, 2.0, 3.0 };
To create an array initialized with a non-default value, we can use Enumerable.Repeat from the System.Linq
Namespace:
Copying the whole array with the CopyTo() instance method, beginning at index 0 of the source and the specified
index in the destination:
Both CopyTo and Clone perform shallow copy which means the contents contains references to the same object as
the elements in the original array.
The SequenceEqual function will return true if the arrays have the same length and the values in corresponding
indices are equal, and false otherwise.
int[,] arr = new int[4, 2] { {1, 1}, {2, 2}, {3, 3}, {4, 4} };
// Get
Console.WriteLine(arr[2]); // 20
// Set
arr[2] = 100;
using foreach:
unsafe
{
    int length = arr.Length;
    fixed (int* p = arr)
    {
        int* pInt = p;
        while (length-- > 0)
        {
            Console.WriteLine(*pInt);
            pInt++;// move pointer to next element
        }
    }
}
Output:
     1
     6
     3
     3
     9
The Enumerable.Range method allows us to create sequence of integer numbers from a specified start position and
a number of elements.
The method takes two arguments: the starting value and the number of elements to generate.
Usage:
int[] sequence = Enumerable.Range(1, 100).ToArray();
This will generate an array containing the numbers 1 through 100 ([1, 2, 3, ..., 98, 99, 100]).
Because the Range method returns an IEnumerable<int>, we can use other LINQ methods on it:
This will generate an array that contains 10 integer squares starting at 4: [4, 9, 16, ..., 100, 121].
The second [] is initialized without a number. To initialize the sub arrays, you would need to do that separately:
Getting/Setting values
Now, getting one of the subarrays is easy. Let's print all the numbers of the 3rd column of a:
a[<row_number>][<column_number>]
a[<row_number>][<column_number>] = <value>
Remember: It's always recommended to use jagged arrays (arrays of arrays) rather than multidimensional arrays
(matrixes). It's faster and safer to use.
Consider a three-dimensional array of five-dimensional arrays of one-dimensional arrays of int. This is written in
C# as:
In the CLR type system, the convention for the ordering of the brackets is reversed, so with the above arr instance
we have:
arr.GetType().ToString() == "System.Int32[][,,,,][,,]"
and likewise:
typeof(int[,,][,,,,][]).ToString() == "System.Int32[][,,,,][,,]"
This conversion is not type-safe. The following code will raise a runtime exception:
More importantly, one-dimensional arrays implement the IList<> and IReadOnlyList<> generic interfaces (and
their base interfaces) for the type of data that they contain. This means that they can be treated as generic
enumerable types and passed in to a variety of methods without needing to first convert them to a non-array form.
int[] arr1 = { 3, 5, 7 };
IEnumerable<int> enumerableIntegers = arr1; //Allowed because arrays implement IEnumerable<T>
List<int> listOfIntegers = new List<int>();
listOfIntegers.AddRange(arr1); //You can pass in a reference to an array to populate a List.
After running this code, the list listOfIntegers will contain a List<int> containing the values 3, 5, and 7.
The IEnumerable<> support means arrays can be queried with LINQ, for example arr1.Select(i => 10 * i).
/// Sample
For predefined value types, the equality operator (==) returns true if the values of its operands are equal, false
otherwise. For reference types other than string, == returns true if its two operands refer to the same object. For
the string type, == compares the values of the strings.
lock(locker)
{
    throw new Exception();
}
In the following example ReserveRoom is supposed to be called from different threads. Synchronization with lock is
the simplest way to prevent race condition here. Method body is surrounded with lock which ensures that two or
more threads cannot execute it simultaneously.
If a thread reaches lock-ed block while another thread is running within it, the former will wait another to exit the
     Best practice is to define a private object to lock on, or a private static object variable to protect data
     common to all instances.
lock(locker)
{
    return 5;
}
One of the fallacies while using lock is the usage of local objects as locker in a function. Since these local object
instances will differ on each call of the function, lock will not perform as expected.
// Define object that can be used for thread safety in the AddToList method
readonly object classLock = new object();
If one thread calls: lock(obj) and another thread calls obj.ToString() second thread is not going to be blocked.
Sometimes base classes are designed such that their subclasses are required to use a lock when accessing certain
protected fields:
     public Base()
     {
         this.padlock = new object();
         this.list = new List<string>();
     }
     public Base()
     {
         this.padlock = new object();
In the following example, a private variable is implicitly boxed as it's supplied as an object argument to a function,
expecting a monitor resource to lock at. The boxing occurs just prior to calling the IncInSync function, so the boxed
instance corresponds to a different heap object each time the function is called.
BulemicCounter.Inc:
IL_0000: nop
IL_0001: ldarg.0
IL_0002: ldarg.0
IL_0003: ldfld             UserQuery+BulemicCounter.counterLock
IL_0008: box               System.Int32**
IL_000D: call              UserQuery+BulemicCounter.IncInSync
IL_0012: nop
IL_0013: ret
It does not mean that a boxed ValueType can't be used for monitor locking at all:
IL_0001:    ldc.i4.1
IL_0002:    box            System.Int32
IL_0007:    stfld          UserQuery+BulemicCounter.counterLock
A very common pattern is to use a private List or Dictionary in a thread safe class and lock every time it is
accessed:
     public WordStats()
     {
         this.padlock = new object();
         this.values = new Dictionary<string, object>();
     }
If there are multiple methods accessing the values dictionary, the code can get very long and, more importantly,
locking all the time obscures its intent. Locking is also very easy to forget and lack of proper locking can cause very
hard to find bugs.
     public WordStats()
     {
         this.values = new ConcurrentDictionary<string, object>();
     }
Using concurrent collections also improves performance because all of them employ lock-free techniques to some
extent.
NB. instances of Type should not be used for this (in the code above typeof(ThreadSafe)) because instances of
Type are shared across AppDomains and thus the extent of the lock can expectedly include code it shouldn't (eg. if
ThreadSafe is loaded into two AppDomains in the same process then locking on its Type instance would mutually
lock).
   1. Create a class
   2. Inherit it from ActionFilterAttribute class
using System;
using System.Diagnostics;
using System.Web.Mvc;
     namespace WebApplication1
     {
        1. Xml Document
        2. XDocument
        3. XmlReader/XmlWriter
    Before LINQ to XML we were used XMLDocument for manipulations in XML like adding attributes,
    elements and so on. Now LINQ to XML uses XDocument for the same kind of thing. Syntaxes are much
    easier than XMLDocument and it requires a minimal amount of code.
    Also XDocument is mutch faster as XmlDocument. XmlDoucument is an old and dirty solution for query
    an XML document.
I am going to show some examples of XmlDocument class and XDocument class class:
XmlDocument
XDocument
Create XmlDocument
XmlDocument
XDocument
/*result*/
<root name="value">
    <child>"TextNode"</child>
</root>
XmlDocument
XDocument
XmlDocument
XDocument
Retrieve value from all from all child elements where attribute = something.
XmlDocument
XDocument
Append a node
XmlDocument
XDocument
_doc.XPathSelectElement("ServerManagerSettings/TcpSocket").Add(new XElement("SecondLevelNode"));
     <Sample>
     <Account>
         <One number="12"/>
         <Two number="14"/>
     </Account>
     <Account>
         <One number="14"/>
         <Two number="16"/>
     </Account>
     </Sample>
     using System.Xml;
     using System.Collections.Generic;
     // All XML documents must have one, and only one, root element
     xml.AppendChild(root);
     // Displays the XML document in the screen; optionally can be saved to a file
     xml.Save(Console.Out);
}
DateTimeFormatInfo specifies a set of specifiers for simple date and time formatting. Every specifier correspond to
a particular DateTimeFormatInfo format pattern.
//Create datetime
DateTime dt = new DateTime(2016,08,01,18,50,23,230);
      y (year)
      M (month)
      d (day)
      h (hour 12)
      H (hour 24)
      m (minute)
      s (second)
      f (second fraction)
      F (second fraction, trailing zeroes are trimmed)
      t (P.M or A.M)
      z (time zone).
var   year =           String.Format("{0:y   yy yyy yyyy}",   dt);   //   "16 16 2016 2016"   year
var   month =          String.Format("{0:M   MM MMM MMMM}",   dt);   //   "8 08 Aug August"   month
var   day =            String.Format("{0:d   dd ddd dddd}",   dt);   //   "1 01 Mon Monday"   day
var   hour =           String.Format("{0:h   hh H HH}",       dt);   //   "6 06 18 18"        hour 12/24
var   minute =         String.Format("{0:m   mm}",            dt);   //   "50 50"             minute
var   secound =        String.Format("{0:s   ss}",            dt);   //   "23 23"             second
var   fraction =       String.Format("{0:f   ff fff ffff}",   dt);   //   "2 23 230 2300"     sec.fraction
var   fraction2 =      String.Format("{0:F   FF FFF FFFF}",   dt);   //   "2 23 23 23"        without zeroes
var   period =         String.Format("{0:t   tt}",            dt);   //   "P PM"              A.M. or P.M.
var   zone =           String.Format("{0:z   zz zzz}",        dt);   //   "+0 +00 +00:00"     time zone
You can use also date separator / (slash) and time sepatator : (colon).
Console.WriteLine(dateTime.ToString());
DateTime dateTime;
     Console.WriteLine(result);
}
if (result < 0)
    relationship = "is earlier than";
else if (result == 0)
    relationship = "is the same time as";
else relationship = "is later than";
// daysInFeb gets 28 because the year 1998 was not a leap year.
int daysInFeb = System.DateTime.DaysInMonth(1998, Feb);
Console.WriteLine(daysInFeb);
Console.WriteLine();
   1. The function always evaluates the same result value given the same argument value(s). The function result
      value cannot depend on any hidden information or state that may change while program execution proceeds
      or between different executions of the program, nor can it depend on any external input from I/O devices .
   2. Evaluation of the result does not cause any semantically observable side effect or output, such as mutation
      of mutable objects or output to I/O devices
As a developer you need to be aware of pure methods and you will stumble upon these a lot in many areas. One I
have seen that bites many junior developers is working with DateTime class methods. A lot of these are pure and if
you are unaware of these you can be in for a suprise. An example:
Given the example above one may expect the result printed to console to be '26/12/2016' but in reality you end up
with the same date. This is because AddDays is a pure method and does not affect the original date. To get the
expected output you would have to modify the AddDays call to the following:
sample = sample.AddDays(1);
Section 67.11:
DateTime.TryParseExact(String, String, IFormatProvider, D
ateTimeStyles, DateTime)
Converts the specified string representation of a date and time to its DateTime equivalent using the specified
format, culture-specific format information, and style. The format of the string representation must match the
specified format exactly. The method returns a value that indicates whether the conversion succeeded.
For Example
dateString = "2008-06-11T16:11:20.0904778Z";
if(DateTime.TryParseExact(dateString, "o", CultureInfo.InvariantCulture, DateTimeStyles.None, out
dateValue))
{
   Console.WriteLine("Converted '{0}' to {1} ({2}).", dateString, dateValue, dateValue.Kind);
}
else
{
  Console.WriteLine("'{0}' is not in an acceptable format.", dateString);
}
Outputs
Example of Parse:
DateTime.Parse(dutchDateString, dutchCulture)
// output {31/10/1999 04:20:00}
Section 67.15:
DateTime.ParseExact(String, String, IFormatProvider)
Converts the specified string representation of a date and time to its DateTime equivalent using the specified
format and culture-specific format information. The format of the string representation must match the specified
format exactly.
Let's say we have a culture-specific DateTime string 08-07-2016 11:30:12 PM as MM-dd-yyyy hh:mm:ss tt format
and we want it to convert to equivalent DateTime object
Convert a date time string to equivalent DateTime object without any specific culture format
Let's say we have a DateTime string in dd-MM-yy hh:mm:ss tt format and we want it to convert to equivalent
DateTime object, without any specific culture information
Convert a date time string to equivalent DateTime object without any specific culture format with different
format
For example:
Console.WriteLine(DateTime.Today);
namespace BgWorkerExample
{
    public partial class Form1 : Form
{
     public Form1()
     {
         InitializeComponent();
prgProgressBar.Step = 1;
          //tell the backgroundWorker to raise the "DoWork" event, thus starting it.
          //Check to make sure the background worker is not already running.
          if(!bgWorker.IsBusy)
              bgWorker.RunWorkerAsync();
bgWorker.DoWork += bgWorker_DoWork;
bgWorker.RunWorkerCompleted += bgWorker_CompletedWork;
bgWorker.ProgressChanged += bgWorker_ProgressChanged;
namespace BGWorkerExample
{
     public partial class ExampleForm : Form
     {
bgWorker.WorkerSupportsCancellation = true;
bgWorker.WorkerReportsProgress = true;
      Ad hoc polymorphism:
      contains function overloading. The target is that a Method can be used with different types without the
      need of being generic.
      Parametric polymorphism:
      is the use of generic types. See Generics
      Subtyping:
      has the target inherit of a class to generalize a similar functionality
Ad hoc polymorphism
The target of Ad hoc polymorphism is to create a method, that can be called by different datatypes without a need
of type-conversion in the function call or generics. The following method(s) sumInt(par1, par2) can be called with
different datatypes and has for each combination of types a own implementation:
     return _a + _b;
}
     return _a + b;
}
Subtyping
Subtyping is the use of inherit from a base class to generalize a similar behavior:
Both classes NormalCar and ElectricCar now have a method to refuel, but their own implementation. Here's a
Example:
Below is an example which exhibits Polymorphism. The class Vehicle takes multiple forms as a base class.
Below is the code snippet where Polymorphism is exhibited. The object is created for the base type Vehicle using a
variable vehicle at Line 1. It calls the base class method Display() at Line 2 and display the output as shown.
At Line 3, the vehicle object is pointed to the derived class Ducati and calls its Display() method, which displays
the output as shown. Here comes the polymorphic behavior, even though the object vehicle is of type Vehicle, it
calls the derived class method Display() as the type Ducati overrides the base class Display() method, since the
The same explanation is applicable when it invokes the Lamborghini type's Display() method.
Usage:
     // access a value
     string berlin = foo[2];
     // assign a value
     foo[0] = "Rome";
View Demo
class SparseArray
    {
        Dictionary<int, string> array = new Dictionary<int, string>();
     /// <summary>
     /// implementation of the indexer declared in the interface
     /// </summary>
     /// <param name="x">X-Index</param>
     /// <param name="y">Y-Index</param>
     /// <returns>Content of this cell</returns>
     public object this[int x, int y]
     {
         get
         {
             return cells[x, y];
         }
         set
         {
             cells[x, y] = value;
         }
     }
}
It's not necessary to implement a finalizer if your class only contains managed resources.
unmanagedHandle.Release();
                disposed = true;
            }
     ~ManagedAndUnmanagedObject()
     {
         Dispose(false);
     }
}
Dispose() is primarily used for cleaning up resources, like unmanaged references. However, it can also be useful to
force the disposing of other resources even though they are managed. Instead of waiting for the GC to eventually
also clean up your database connection, you can make sure it's done in your own Dispose() implementation.
When you need to directly access unmanaged resources such as unmanaged pointers or win32 resources, create a
class inheriting from SafeHandle and use that class’s conventions/tools to do so.
View demo
using is syntatic sugar for a try/finally block; the above usage would roughly translate into:
{
     var foo = new Foo();
     try
The C# type keywords and their aliases are interchangeable. For example, you can declare an integer variable by
using either of the following declarations:
The System.String class is immutable, i.e once created its state cannot be altered.
So all the operations you perform on a string like Substring, Remove, Replace, concatenation using + operator etc
will create a new string and return it.
Taking the following code, that appends " world" onto the word "Hello"
What is happening in memory in this case is that a new object is created when you append to the string in the
second line. If you do this as part of a large loop, there is the potential for this to cause performance issues in your
application.
When you run this, you are modifying the StringBuilder object itself in memory.
<FruitBasket xmlns="http://www.fruitauthority.fake">
  <Fruit ID="F0001">
    <FruitName>Banana</FruitName>
    <FruitColor>Yellow</FruitColor>
  </Fruit>
  <Fruit ID="F0002">
    <FruitName>Apple</FruitName>
    <FruitColor>Red</FruitColor>
  </Fruit>
</FruitBasket>
Code:
<FruitBasket xmlns="http://www.fruitauthority.fake">
  <Fruit>
    <FruitName>Banana</FruitName>
    <FruitColor>Yellow</FruitColor>
  </Fruit>
  <Fruit>
    <FruitName>Apple</FruitName>
    <FruitColor>Red</FruitColor>
  </Fruit>
Code:
// 1.
string xmlFilePath = "c:\\users\\public\\fruit.xml";
// 2.
XDocument xdoc = XDocument.Load(xmlFilePath);
// 3.
//4.
var elBanana = xdoc.Descendants()?.
     Elements(ns + "FruitName")?.
     Where(x => x.Value == "Banana")?.
     Ancestors(ns + "Fruit");
// 5.
var elColor = elBanana.Elements(ns + "FruitColor").FirstOrDefault();
// 6.
if (elColor != null)
{
    elColor.Value = "Brown";
}
// 7.
xdoc.Save(xmlFilePath);
...
// Set the POST request body data. In this example, the POST data is in
// application/x-www-form-urlencoded format.
string postData = "myparam1=myvalue1&myparam2=myvalue2";
using (var writer = new StreamWriter(request.GetRequestStream()))
{
    writer.Write(postData);
}
// Submit the request, and get the response body from the remote server.
string responseFromRemoteServer;
using (HttpWebResponse response = (HttpWebResponse)request.GetResponse())
{
    using (StreamReader reader = new StreamReader(response.GetResponseStream()))
    {
        responseFromRemoteServer = reader.ReadToEnd();
    }
}
...
...
string serverResponse;
try
{
    // Call a method that performs an HTTP request (per the above examples).
    serverResponse = PerformHttpRequest();
}
catch (WebException ex)
{
    if (ex.Status == WebExceptionStatus.ProtocolError)
    {
        HttpWebResponse response = ex.Response as HttpWebResponse;
        if (response != null)
        {
            if ((int)response.StatusCode == 404) // Not Found
            {
                // Handle the 404 Not Found error
                // ...
            }
            else
            {
                // Could handle other response.StatusCode values here.
                // ...
            }
        }
    }
    else
    {
        // Could handle other error conditions here, such as WebExceptionStatus.ConnectFailure.
        // ...
    }
}
Console.WriteLine(contents);
. . .
int seed = 5;
for (int i = 0; i < 2; i++)
{
   Console.WriteLine("Random instance " + i);
   Random rnd = new Random(seed);
   for (int j = 0; j < 5; j++)
   {
      Console.Write(rnd.Next());
      Console.Write(" ");
   }
    Console.WriteLine();
}
Output:
Random instance 0
726643700 610783965 564707973 1342984399 995276750
Random instance 1
726643700 610783965 564707973 1342984399 995276750
Using System.Guid.NewGuid().GetHashCode() can get a different seed even in the same time.
Another way to achieve different seeds is to use another Random instance to retrieve the seed values.
This also makes it possible to control the result of all the Random instances by setting only the seed value for the
rndSeeds. All the other instances will be deterministically derived from that single seed value.
     Initialization - Makes a new local variable that can only be used in the loop.
     Condition - The loop only runs when the condition is true.
     Increment - How the variable changes every time the loop runs.
An example:
Output:
     0
     1
     2
     3
     4
You can also leave out spaces in the For Loop, but you have to have all semicolons for it to function.
Output for 3:
     3
     5
     7
     9
     11
// Sum values from the array until we get a total that's greater than 10,
// or until we run out of values.
int sum = 0;
int i = 0;
do
{
    sum += numbers[i];
    i++;
} while (sum <= 10 && i < numbers.Length);
System.Console.WriteLine(sum); // 13
syntax
remarks
   1. The type ItemType does not need to match the precise type of the items, it just needs to be assignable from
      the type of the items
   2. Instead of ItemType, alternatively var can be used which will infer the items type from the enumerableObject
      by inspecting the generic argument of the IEnumerable implementation
   3. The statement can be a block, a single statement or even an empty statement (;)
   4. If enumerableObject is not implementing IEnumerable, the code will not compile
   5. During each iteration the current item is cast to ItemType (even if this is not specified but compiler-inferred
      via var) and if the item cannot be cast an InvalidCastException will be thrown.
is equivalent to:
The most trivial loop type. Only drawback is there is no intrinsic clue to know where you are in the loop.
Do
Similar to while, but the condition is evaluated at the end of the loop instead of the beginning. This results in
executing the loops at least once.
do
{
    /// do something
} while(condition) /// loop while the condition satisfies
For
Another trivial loop style. While looping an index (i) gets increased and you can use it. It is usually used for handling
arrays.
Foreach
Modernized way of looping through IEnumarable objects. Good thing that you don't have to think about the index
of the item or the item count of the list.
Foreach Method
While the other styles are used for selecting or updating the elements in collections, this style is usually used for
calling a method straight away for all elements in a collection.
// or
list.ForEach(item => DoSomething(item));
// using an array
Array.ForEach(myArray, Console.WriteLine);
It is important to note that this method in only available on List<T> instances and as a static method on Array - it is
not part of Linq.
Just like Linq Foreach, except this one does the job in a parallel manner. Meaning that all the items in the collection
will run the given action at the same time, simultaneously.
/// or
collection.AsParallel().ForAll(item => DoSomething(item));
Console.WriteLine(i);
9
10
Note: Continue is often most useful in while or do-while loops. For-loops, with well-defined exit conditions, may not
benefit as much.
Output:
     0
     1
     2
     3
     4
// Call a custom method that takes a count, and returns an IEnumerator for a list
// of strings with the names of theh largest city metro areas.
IEnumerator<string> largestMetroAreas = GetLargestMetroAreas(4);
while (largestMetroAreas.MoveNext())
{
    Console.WriteLine(largestMetroAreas.Current);
}
Sample output:
     Tokyo/Yokohama
     New York Metro
     Sao Paulo
     Seoul/Incheon
for (;;)
{
     if (should_end_loop)
         break;
     // do something
}
Alternative:
     if (!endLoop)
     {
         // do something
     }
}
Note: In nested loops and/or switch must use more than just a simple break.
Sample Method:
Call Sample:
Console.WriteLine (Sample(left:"A",right:"B"));
Console.WriteLine (Sample(right:"A",left:"B"));
Results:
A-B
B-A
When you want to call this method without set retryCount argument :
class SmsUtil
{
    public bool SendMessage(string from, string to, string message, int retryCount, object
attachment)
you can make this method call even more clear with named arguments:
     myWriter.Flush();
}
You can redirect the debug output to a console application's out stream using a ConsoleTraceListener.
In Visual Studio or Xamarin Studio this will appear in the Application Output window. This is due to the presence of
the default trace listener in the TraceListenerCollection.
Because they implement INoiseMaker, both cat and dog are required to include the string MakeNoise() method
and will fail to compile without it.
interface IChauffeur
{
    string Drive();
}
interface IGolfPlayer
{
    string Drive();
}
Console.WriteLine(obj.Drive()); // Vroom!
Console.WriteLine(chauffeur.Drive()); // Vroom!
Console.WriteLine(golfer.Drive()); // Took a swing...
The implementation cannot be called from anywhere else except by using the interface:
Due to this, it may be advantageous to put complex implementation code of an explicitly implemented interface in
a separate, private method.
An explicit interface implementation can of course only be used for methods that actually exist for that interface:
Similarly, using an explicit interface implementation without declaring that interface on the class causes an error,
too.
Hint:
Implementing interfaces explicitly can also be used to avoid dead code. When a method is no longer needed and
gets removed from the interface, the compiler will complain about each still existing implementation.
Note:
Programmers expect the contract to be the same regardless of the context of the type and explicit implementation
should not expose different behavior when called. So unlike the example above, IGolfPlayer.Drive and Drive
should do the same thing when possible.
        Can't be instantiated
        Can't have any functionality
        Can only contain methods * (Properties and Events are methods internally)
        Inheriting an interface is called "Implementing"
        You can inherit from 1 class, but you can "Implement" multiple Interfaces
Things to notice:
    // ok
    obj.TheThingICanDo();
    // ok
    obj.SomeValueProperty = 5;
    // in order to access the property in the class you must "down cast" it
    ((MyClass)obj).SomeValueNotImplemtingAnything = 5; // ok
This is especially useful when you're working with UI frameworks such as WinForms or WPF because it's mandatory
to inherit from a base class to create user control and you loose the ability to create abstraction over different
control types. An example? Coming up:
The problem proposed is that both contain some concept of "Text" but the property names differ. And you can't
create create a abstract base class because they have a mandatory inheritance to 2 different classes. An interface
can alleviate that
     // Runtime Error because 1 class is in fact not a button which makes this cast invalid
     ((MyButton)ctrl).Clicks = 0;
Let's say that in a program for a online store, we have a variety of items you can buy. Each item has a name, an ID
number, and a price.
     public string name; // though public variables are generally bad practice,
     public int idNumber; // to keep this example simple we will use them instead
     public decimal price; // of a property.
We have our Items stored inside of a List<Item>, and in our program somewhere, we want to sort our list by ID
number from smallest to largest. Instead of writing our own sorting algorithm, we can instead use the Sort()
method that List<T> already has. However, as our Item class is right now, there is no way for the List<T> to
understand what order to sort the list. Here is where the IComparable interface comes in.
To correctly implement the CompareTo method, CompareTo should return a positive number if the parameter is "less
than" the current one, zero if they are equal, and a negative number if the parameter is "greater than".
Console.WriteLine(apple.CompareTo(banana)); // 11
Console.WriteLine(apple.CompareTo(cow)); // 0
Console.WriteLine(apple.CompareTo(diamond)); // -3
Now, when we call Sort() on a List<Item> object, the List will automatically call the Item's CompareTo method
when it needs to determine what order to put objects in. Furthermore, besides List<T>, any other objects that
need the ability to compare two objects will work with the Item because we have defined the ability for two
different Items to be compared with one another.
Let's say that we define an interface IShape to represent different type of shapes, we expect a shape to have an
area, so we will define a method to force the interface implementations to return their area :
Let's that we have the following two shapes : a Rectangle and a Circle
Each one of them have its own definition of its area, but both of them are shapes. So it's only logical to see them as
IShape in our program :
     Console.ReadKey();
}
// Output:
// Area : 50.00
// Area : 78.54
Answer: I don't. So neither should it be declared public but simply declaring the members as private will make the
compiler throw an error
void IMessageService.SendMessage() {
So now you have implemented the members as required and they won't expose any members in as public.
If you seriously still want to access the member even though is explicitly implement all you have to do is cast the
object to the interface and you good to go.
((IMessageService)obj).OnMessageRecieve();
IEnumerable is an interface which implements the method GetEnumerator. The GetEnumerator method returns an
IEnumerator which provides options to iterate through the collection like foreach.
     public CoffeeCollection() {
         enumerator = new CoffeeEnumerator();
     }
               return false;
          }
In the example below, the object sequenceOfNumbers implements IEnumerable. It represents a series of integers.
The foreach loop iterates through each in turn.
Pascal Casing
The first letter in the identifier and the first letter of each subsequent concatenated word are capitalized. You can
use Pascal case for identifiers of three or more characters. For example: BackColor
Camel Casing
The first letter of an identifier is lowercase and the first letter of each subsequent concatenated word is capitalized.
For example: backColor
Uppercase
Rules
When an identifier consists of multiple words, do not use separators, such as underscores ("_") or hyphens ("-"),
between words. Instead, use casing to indicate the beginning of each word.
The following table summarizes the capitalization rules for identifiers and provides examples for the different types
of identifiers:
Use a plural name for Enum types that are bit fields
[Flags]
public enum MyColors
{
    Yellow = 1,
    Green = 2,
    Red = 4,
    Blue = 8
}
Interface names should be prefixed with the letter I, to indicate that the type is an interface, and Pascal case should
be used.
Camel case
public class Rational
{
    private readonly int numerator;
    private readonly int denominator;
<Company>.(<Product>|<Technology>)[.<Feature>][.<Subnamespace>].
Examples include:
Fabrikam.Math
Litware.Security
Prefixing namespace names with a company name prevents namespaces from different companies from having
the same name.
short m = 32767;
short n = 32767;
int result1 = checked((short)(m + n));   //will throw an OverflowException
int result2 = unchecked((short)(m + n)); // will return -2
If neither of these are specified then the default context will rely on other factors, such as compiler options.
short m = 32767;
short n = 32767;
checked
{
    int result1 = (short)(m + n); //will throw an OverflowException
}
unchecked
{
    int result2 = (short)(m + n); // will return -2
}
An excellent and simple example of recursion is a method that will get the factorial of a given number:
In this method, we can see that the method will take an argument, number.
Step by step:
    1. Is number (4) == 1?
    2. No? return 4 * Factorial(number-1) (3)
    3. Because the method is called once again, it now repeats the first step using Factorial(3) as the new
       argument.
    4. This continues until Factorial(1) is executed and number (1) == 1 returns 1.
    5. Overall, the calculation "builds up" 4 * 3 * 2 * 1 and finally returns 24.
The key to understanding recursion is that the method calls a new instance of itself. After returning, the execution of
the calling instance continues.
Following the math theory of F(n) = F(n-2) + F(n-1), for any i > 0,
fib(10); // Returns 55
Theoretical Example:
       2² = 2x2
       2³ = 2x2x2 or, 2³ = 2² x 2
       In there lies the secret of our recursive algorithm (see the code below). This is about taking the problem and
       separating it into smaller and simpler to solve chunks.
       Notes
               when the base number is 0, we have to be aware to return 0 as 0³ = 0 x 0 x 0
               when the exponent is 0, we have to be aware to always return 1, as this is a mathematical rule.
Code Example:
      [Theory]
      [MemberData(nameof(PowerOfTestData))]
      public void PowerOfTest(int @base, int exponent, int expected) {
          Assert.Equal(expected, CalcPowerOf(@base, exponent));
      }
/// <summary>
/// Create an object structure the code can recursively describe
/// </summary>
public class Root
{
            Console.WriteLine(
                $"Getting directory tree of '{rootDirectorypath}'");
            PrintDirectoryTree(rootDirectorypath);
            Console.WriteLine("Press 'Enter' to quit...");
            Console.ReadLine();
        }
            Console.WriteLine($"{indentation}-{directory.Name}");
            var nextLevel = currentLevel + 1;
            try
            {
                foreach (var subDirectory in directory.GetDirectories())
                {
                    PrintDirectoryTree(subDirectory, nextLevel);
                }
            }
            catch (UnauthorizedAccessException e)
            {
                Console.WriteLine($"{indentation}-{e.Message}");
            }
        }
}
This code is somewhat more complicated than the bare minimum to complete this task, as it includes exception
checking to handle any issues with getting the directories. Below you will find a break-down of the code into smaller
segments with explanations of each.
Main:
PrintDirectoryTree(string):
This is the first of two methods that handle the actual directory tree printing. This method takes a string
representing the path to the root directory as a parameter. It checks if the path is an actual directory, and if not,
throws a DirectoryNotFoundException which is then handled in the catch block. If the path is a real directory, a
DirectoryInfo object rootDirectory is created from the path, and the second PrintDirectoryTree method is
called with the rootDirectory object and RootLevel, which is an integer constant with a value of zero.
PrintDirectoryTree(DirectoryInfo, int):
This second method handles the brunt of the work. It takes a DirectoryInfo and an integer as parameters. The
DirectoryInfo is the current directory, and the integer is the depth of the directory relative to the root. For ease of
reading, the output is indented for each level deep the current directory is, so that the output looks like this:
-Root
    -Child 1
    -Child 2
        -Grandchild 2.1
    -Child 3
Once the current directory is printed, its sub directories are retrieved, and this method is then called on each of
them with a depth level value of one more than the current. That part is the recursion: the method calling itself. The
program will run in this manner until it has visited every directory in the tree. When it reached a directory with no
sub directories, the method will return automatically.
This method also catches an UnauthorizedAccessException, which is thrown if any of the sub directories of the
current directory are protected by the system. The error message is printed at the current indentation level for
consistency.
This does not include the specific error checking or output formatting of the first approach, but it effectively does
the same thing. Since it only uses strings as opposed to DirectoryInfo, it cannot provide access to other directory
properties like permissions.
long Factorial(long x)
{
    if (x < 1)
    {
        throw new OutOfRangeException("Factorial can only be used with positive numbers.");
    }
      if (x == 1)
      {
          return 1;
      } else {
          return x * Factorial(x - 1);
      }
}
// square a number.
Func<double, double> square = (x) => { return x * x; };
Action objects are like void methods so they only have an input type. No result is placed on the evaluation stack.
// right-angled triangle.
class Triangle
{
    public double a;
    public double b;
    public double h;
}
// Pythagorean theorem.
Action<Triangle> pythagoras = (x) =>
    x.h = squareroot(square(x.a) + square(x.b));
This is commonly done with lambdas, for example when passing a predicate to a LINQ Where clause:
The Where() clause could receive many different predicates which gives it considerable flexibility.
Passing a method into another method is also seen when implementing the Strategy design pattern. For example,
various sorting methods could be chosen from and passed into a Sort method on an object depending on the
requirements at run-time.
If you do know about the possible null you can introduce some boilerplate code to deal with it.
The code now makes it explicit that we may have a None record returned and the boilerplate code to check for
Some or None is required:
     public T Value
     {
         get
         {
             if (!HasValue)
                 throw new InvalidOperationException();
               return _value;
          }
     }
As stated, this is a minimal implementation. A search for "Maybe" NuGet packages will turn up a number of good
libraries.
Any piece of code could alter any property in the above object.
Bear in mind that having read-only collections does not respect immutability. For example,
is not immutable, as the user of the object can alter the collection (add or remove elements from it). In order to
make it immutable, one has either to use an interface like IEnumerable, which does not expose methods to add, or
to make it a ReadOnlyCollection.
Certain immutable collections have a Builder inner class that can be used to cheaply build large immutable
instances:
      System.Collections.Immutable.ImmutableArray<T>
      System.Collections.Immutable.ImmutableDictionary<TKey,TValue>
      System.Collections.Immutable.ImmutableHashSet<T>
      System.Collections.Immutable.ImmutableList<T>
      System.Collections.Immutable.ImmutableQueue<T>
      System.Collections.Immutable.ImmutableSortedDictionary<TKey,TValue>
      System.Collections.Immutable.ImmutableSortedSet<T>
      System.Collections.Immutable.ImmutableStack<T>
uint ui = 5U;
int i = 5;
sbyte sb = 127;
decimal m = 30.5M;
double d = 30.5D;
float f = 30.5F;
long l = 5L;
ulong ul = 5UL;
String literals may contain escape sequences. See String Escape Sequences
Additionally, C# supports verbatim string literals (See Verbatim Strings). These are defined by wrapping the value
with double-quotes ", and prepending it with @. Escape sequences are ignored in verbatim string literals, and all
whitespace characters are included:
char c = 'h';
Character literals may contain escape sequences. See String Escape Sequences
A character literal must be exactly one character long (after all escape sequences have been evaluated). Empty
character literals are not valid. The default character (returned by default(char) or new char()) is '\0', or the
NULL character (not to be confused with the null literal and null references).
byte b = 127;
short s = 127;
ushort us = 127;
bool b = true;
if(value is int)
{
   Console.WriteLine(value + "is an int");
}
     string IMyInterface2.GetName()
     {
         return "IMyInterface2";
     }
}
     // Outputs :
     // I am : IMyInterface1
     // I am : IMyInterface2
If we wanted to create a JsExpression representing a comparison of two JavaScript values, we could do something
like this:
But we can add some explicit conversion operators to JsExpression, to allow a simple conversion when using explicit
casting.
// Usage:
JsExpression intExpression = (JsExpression)(-1);
JsExpression doubleExpression = (JsExpression)(-1.0);
Console.WriteLine(intExpression.IsEqualTo(doubleExpression)); // (-1 == -1.0)
Or, we could change these operators to implicit to make the syntax much simpler.
// Usage:
JsExpression intExpression = -1;
Console.WriteLine(intExpression.IsEqualTo(-1.0)); // (-1 == -1.0)
interface IThing { }
class Thing : IThing {        }
LINQ allows you to create a projection that changes the compile-time generic type of an IEnumerable<> via the
Enumerable.Cast<>() and Enumerable.OfType<>() extension methods.
When things2 is evaluated, the Cast<>() method will try to cast all of the values in things into Things. If it
encounters a value that cannot be cast, an InvalidCastException will be thrown.
When things3 is evaluated, the OfType<>() method will do the same, except that if it encounters a value that
cannot be cast, it will simply omit that value rather than throw an exception.
Due to the generic type of these methods, they cannot invoke Conversion Operators or perform numeric
conversions.
If we tried passing value directly to Math.Abs(), we would get a compile-time exception because Math.Abs()
doesn't have an overload that takes an object as a parameter.
If value could not be cast to an int, then the second line in this example would throw an InvalidCastException
In this example, we didn't need to use the typical explicit casting syntax because the compiler knows all ints can be
cast to objects. In fact, we could avoid creating variables and pass -1 directly as the argument of
Console.WriteLine() that expects an object.
Console.WriteLine(-1);
Note that in cases where the destination type has less precision than the original type, precision will be lost. For
example, -1.1 as a double value in the above example becomes -1 as an integer value.
Also, numeric conversions rely on compile-time types, so they won't work if the numeric types have been "boxed"
into objects.
To debug such an exception, it's quite easy: on the line where the exception is thrown, you just have to look before
every '.' or '[', or on rare occasions '('.
myGarage.CarCollection[currentIndex.Value].Color = theCarInTheStreet.Color;
       myGarage is null
       myGarage.CarCollection is null
       currentIndex is null
       myGarage.CarCollection[currentIndex.Value] is null
       theCarInTheStreet is null
In debug mode, you only have to put your mouse cursor on every of these elements and you will find your null
reference. Then, what you have to do is understand why it doesn't have a value. The correction totally depends on
the goal of your method.
if (myGarage == null)
{
    Console.WriteLine("Maybe you should buy a garage first!");
}
Or maybe someone gave you a null argument, and was not supposed to:
if (theCarInTheStreet == null)
{
    throw new ArgumentNullException("theCarInTheStreet");
}
In any case, remember that a method should never throw a NullReferenceException. If it does, that means you
have forgotten to check something.
       method = LocalNow;
       // now method points to the LocalNow method
       // that returns local time
     method = Multiplication;
     // now method points to the Multiplication method
In either case, we can now invoke the method stored inside square like this:
var sq = square.Invoke(2);
Or as a shorthand:
var sq = square(2);
Notice that for the assignment to be type-safe, the parameter types and return type of the anonymous method
must match those of the delegate type:
class Program
{
    static Employee FindByTitle(String title)
    {
        // This is a stub for a method that returns
        // an employee that has the specified title.
        return new Employee();
    }
     }
}
using System.Security.Cryptography;
...
Iterations:
A high number of iterations will slow the algorithm down, which makes password cracking a lot harder. A high
number of iterations is therefor recommended. PBKDF2 is order of magnitudes slower than MD5 for example.
Salt:
A salt will prevent the lookup of hash values in rainbow tables. It has to be stored alongside the password hash.
One salt per password (not one global salt) is recommended.
namespace YourCryptoNamespace
{
    /// <summary>
    /// Salted password hashing with PBKDF2-SHA1.
  /// Compatibility: .NET 3.0 and later.
  /// </summary>
  /// <remarks>See http://crackstation.net/hashing-security.htm for much more on password
hashing.</remarks>
  public static class PasswordHashProvider
    /// <summary>
    /// Creates a salted PBKDF2 hash of the password.
    /// </summary>
    /// <remarks>
    /// The salt and the hash have to be persisted side by side for the password. They could be
persisted as bytes or as a string using the convenience methods in the next class to convert from
byte[] to string and later back again when executing password validation.
    /// </remarks>
    /// <param name="password">The password to hash.</param>
    /// <returns>The hash of the password.</returns>
    public static PasswordHashContainer CreateHash(string password)
    {
      // Generate a random salt
      using (var csprng = new RNGCryptoServiceProvider())
      {
        // create a unique salt for every password hash to prevent rainbow and dictionary based
attacks
        var salt = new byte[SaltByteSize];
        csprng.GetBytes(salt);
      /// <summary>
      /// Validates a password given a hash of the correct one.
      /// </summary>
      /// <param name="password">The password to check.</param>
      /// <param name="salt">The existing stored salt.</param>
      /// <param name="correctHash">The hash of the existing password.</param>
      /// <returns><c>true</c> if the password is correct. <c>false</c> otherwise. </returns>
      public static bool ValidatePassword(string password, byte[] salt, byte[] correctHash)
      {
        // Extract the parameters from the hash
      /// <summary>
      /// Computes the PBKDF2-SHA1 hash of a password.
      /// </summary>
      /// <param name="password">The password to hash.</param>
      /// <param name="salt">The salt.</param>
      /// <param name="iterations">The PBKDF2 iteration count.</param>
      /// <param name="outputBytes">The length of the hash to generate, in bytes.</param>
      /// <returns>A hash of the password.</returns>
      private static byte[] Pbkdf2(string password, byte[] salt, int iterations, int outputBytes)
      {
        using (var pbkdf2 = new Rfc2898DeriveBytes(password, salt))
        {
          pbkdf2.IterationCount = iterations;
          return pbkdf2.GetBytes(outputBytes);
        }
      }
  }
  /// <summary>
  /// Container for password hash and salt and iterations.
  /// </summary>
  public sealed class PasswordHashContainer
  {
    /// <summary>
    /// Gets the hashed password.
    /// </summary>
    public byte[] HashedPassword { get; private set; }
    /// <summary>
    /// Gets the salt.
    /// </summary>
    public byte[] Salt { get; private set; }
      /// <summary>
      /// Initializes a new instance of the <see cref="PasswordHashContainer" /> class.
      /// </summary>
      /// <param name="hashedPassword">The hashed password.</param>
      /// <param name="salt">The salt.</param>
      public PasswordHashContainer(byte[] hashedPassword, byte[] salt)
      {
        this.HashedPassword = hashedPassword;
        this.Salt = salt;
      }
  }
  /// <summary>
  /// Convenience methods for converting between hex strings and byte array.
  /// </summary>
/*
 * Password Hashing With PBKDF2 (http://crackstation.net/hashing-security.htm).
 * Copyright (c) 2013, Taylor Hornby
 * All rights reserved.
 *
 * Redistribution and use in source and binary forms, with or without
 * modification, are permitted provided that the following conditions are met:
 *
 * 1. Redistributions of source code must retain the above copyright notice,
 * this list of conditions and the following disclaimer.
 *
 * 2. Redistributions in binary form must reproduce the above copyright notice,
 * this list of conditions and the following disclaimer in the documentation
 * and/or other materials provided with the distribution.
 *
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
 * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
 * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
 * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE
 * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
 * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
 * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
 * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
 * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
 * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
 * POSSIBILITY OF SUCH DAMAGE.
 */
Please see this excellent resource Crackstation - Salted Password Hashing - Doing it Right for more information.
Part of this solution (the hashing function) was based on the code from that site.
The MD5 algorithm is a widely used hash function producing a 128-bit hash value (16 Bytes, 32 Hexdecimal
characters).
The ComputeHash method of the System.Security.Cryptography.MD5 class returns the hash as an array of 16
bytes.
Example:
using System;
using System.Security.Cryptography;
using System.Text;
Security Issues:
Like most hash functions, MD5 is neither encryption nor encoding. It can be reversed by brute-force attack and
suffers from extensive vulnerabilities against collision and preimage attacks.
namespace ConsoleApplication1
{
    class Program
    {
Output:
namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            string source = "Hello World!";
            using (SHA256 sha256Hash = SHA256.Create())
            {
                //From String to byte array
                byte[] sourceBytes = Encoding.UTF8.GetBytes(source);
                byte[] hashBytes = sha256Hash.ComputeHash(sourceBytes);
                string hash = BitConverter.ToString(hashBytes).Replace("-", String.Empty);
Output:
namespace ConsoleApplication1
{
Output:
namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            string source = "Hello World!";
            using (SHA512 sha512Hash = SHA512.Create())
            {
                //From String to byte array
                byte[] sourceBytes = Encoding.UTF8.GetBytes(source);
                byte[] hashBytes = sha512Hash.ComputeHash(sourceBytes);
                string hash = BitConverter.ToString(hashBytes).Replace("-", String.Empty);
1. Convert.ToInt16();
2. Convert.ToInt32();
3. Convert.ToInt64();
4. int.Parse();
But all these methods will throw a FormatException, if the input string contains non-numeric characters. For this,
we need to write an additional exception handling(try..catch) to deal them in such cases.
Example 1: Convert.ToInt32()
Note: Same goes for the other mentioned methods namely - Convert.ToInt16(); and Convert.ToInt64();
Example 2: int.Parse()
int convertedInt = int.Parse(inputString); // Same result "Input string was not in a correct format.
As told earlier, for handling the exceptions we usually need a try..catch as shown below:
try
{
      string inputString = "10.2";
      int convertedInt = int.Parse(inputString);
}
catch (Exception Ex)
{
    //Display some message, that the conversion has failed.
}
But, using the try..catch everywhere will not be a good practice, and there may be some scenarios where we
wanted to give 0 if the input is wrong, (If we follow the above method we need to assign 0 to convertedInt from the
catch block). To handle such scenarios we can make use of a special method called .TryParse().
We can check The variable isSuccessConversion after the Execution to check the conversion status. If it is false
then the value of convertedInt will be 0(no need to check the return value if you want 0 for conversion failure).
Usage 3: Without checking the return value you can use the following, if you don't care about the return value
(converted or not, 0 will be ok)
"The general best practice for symmetric encryption is to use Authenticated Encryption with Associated Data
(AEAD), however this isn't a part of the standard .net crypto libraries. So the first example uses AES256 and then
HMAC256, a two step Encrypt then MAC, which requires more overhead and more keys.
The second example uses the simpler practice of AES256-GCM using the open source Bouncy Castle (via nuget).
Both examples have a main function that takes secret message string, key(s) and an optional non-secret payload
and return and authenticated encrypted string optionally prepended with the non-secret data. Ideally you would
use these with 256bit key(s) randomly generated see NewKey().
Both examples also have a helper methods that use a string password to generate the keys. These helper methods
are provided as a convenience to match up with other examples, however they are far less secure because the
strength of the password is going to be far weaker than a 256 bit key.
Update: Added byte[] overloads, and only the Gist has the full formatting with 4 spaces indent and api docs due to
StackOverflow answer limits."
/*
 * This work (Modern Encryption of a String C#, by James Tuley),
 * identified by James Tuley, is free of known copyright restrictions.
 * https://gist.github.com/4336842
 * http://creativecommons.org/publicdomain/mark/1.0/
 */
using   System;
using   System.IO;
using   System.Security.Cryptography;
using   System.Text;
namespace Encryption
{
  public static class AESThenHMAC
  {
    private static readonly RandomNumberGenerator Random = RandomNumberGenerator.Create();
    /// <summary>
    /// Simple Encryption (AES) then Authentication (HMAC) for a UTF8 Message.
    /// </summary>
    /// <param name="secretMessage">The secret message.</param>
    /// <param name="cryptKey">The crypt key.</param>
    /// <param name="authKey">The auth key.</param>
    /// <param name="nonSecretPayload">(Optional) Non-Secret Payload.</param>
    /// <returns>
    /// Encrypted Message
    /// </returns>
    /// <exception cref="System.ArgumentException">Secret Message Required!;secretMessage</exception>
    /// <remarks>
    /// Adds overhead of (Optional-Payload + BlockSize(16) + Message-Padded-To-Blocksize + HMac-
Tag(32)) * 1.33 Base64
    /// </remarks>
    public static string SimpleEncrypt(string secretMessage, byte[] cryptKey, byte[] authKey,
                       byte[] nonSecretPayload = null)
    {
      if (string.IsNullOrEmpty(secretMessage))
        throw new ArgumentException("Secret Message Required!", "secretMessage");
    /// <summary>
    /// Simple Authentication (HMAC) then Decryption (AES) for a secrets UTF8 Message.
    /// </summary>
    /// <param name="encryptedMessage">The encrypted message.</param>
    /// <param name="cryptKey">The crypt key.</param>
    /// <param name="authKey">The auth key.</param>
    /// <param name="nonSecretPayloadLength">Length of the non secret payload.</param>
    /// <returns>
    /// Decrypted Message
    /// </returns>
    /// <exception cref="System.ArgumentException">Encrypted Message
Required!;encryptedMessage</exception>
    public static string SimpleDecrypt(string encryptedMessage, byte[] cryptKey, byte[] authKey,
                        int nonSecretPayloadLength = 0)
    {
      if (string.IsNullOrWhiteSpace(encryptedMessage))
        throw new ArgumentException("Encrypted Message Required!", "encryptedMessage");
     /// <summary>
     /// Simple Encryption (AES) then Authentication (HMAC) of a UTF8 message
    /// <summary>
    /// Simple Authentication (HMAC) and then Descryption (AES) of a UTF8 Message
    /// using keys derived from a password (PBKDF2).
    /// </summary>
    /// <param name="encryptedMessage">The encrypted message.</param>
    /// <param name="password">The password.</param>
    /// <param name="nonSecretPayloadLength">Length of the non secret payload.</param>
    /// <returns>
    /// Decrypted Message
    /// </returns>
    /// <exception cref="System.ArgumentException">Encrypted Message
Required!;encryptedMessage</exception>
    /// <remarks>
    /// Significantly less secure than using random binary keys.
    /// </remarks>
    public static string SimpleDecryptWithPassword(string encryptedMessage, string password,
                              int nonSecretPayloadLength = 0)
    {
      if (string.IsNullOrWhiteSpace(encryptedMessage))
        throw new ArgumentException("Encrypted Message Required!", "encryptedMessage");
         byte[] cipherText;
         byte[] iv;
             //Use random IV
             aes.GenerateIV();
             iv = aes.IV;
                 cipherText = cipherStream.ToArray();
             }
         byte[] cryptKey;
         byte[] authKey;
         //Use Random Salt to prevent pre-generated weak password attacks.
         using (var generator = new Rfc2898DeriveBytes(password, SaltBitSize / 8, Iterations))
         {
           var salt = generator.Salt;
             //Generate Keys
             cryptKey = generator.GetBytes(KeyBitSize / 8);
             //Generate Keys
             authKey = generator.GetBytes(KeyBitSize / 8);
       byte[] cryptKey;
       byte[] authKey;
/*
 * This work (Modern Encryption of a String C#, by James Tuley),
 * identified by James Tuley, is free of known copyright restrictions.
 * https://gist.github.com/4336842
 * http://creativecommons.org/publicdomain/mark/1.0/
 */
using System;
using System.IO;
using System.Text;
using Org.BouncyCastle.Crypto;
using Org.BouncyCastle.Crypto.Engines;
using Org.BouncyCastle.Crypto.Generators;
using Org.BouncyCastle.Crypto.Modes;
using Org.BouncyCastle.Crypto.Parameters;
using Org.BouncyCastle.Security;
namespace Encryption
{
      /// <summary>
      /// Helper that generates a random new key on each call.
      /// </summary>
      /// <returns></returns>
      public static byte[] NewKey()
      {
        var key = new byte[KeyBitSize / 8];
        Random.NextBytes(key);
        return key;
      }
    /// <summary>
    /// Simple Encryption And Authentication (AES-GCM) of a UTF8 string.
    /// </summary>
    /// <param name="secretMessage">The secret message.</param>
    /// <param name="key">The key.</param>
    /// <param name="nonSecretPayload">Optional non-secret payload.</param>
    /// <returns>
    /// Encrypted Message
    /// </returns>
    /// <exception cref="System.ArgumentException">Secret Message Required!;secretMessage</exception>
    /// <remarks>
    /// Adds overhead of (Optional-Payload + BlockSize(16) + Message + HMac-Tag(16)) * 1.33 Base64
    /// </remarks>
    public static string SimpleEncrypt(string secretMessage, byte[] key, byte[] nonSecretPayload =
null)
    {
      if (string.IsNullOrEmpty(secretMessage))
        throw new ArgumentException("Secret Message Required!", "secretMessage");
    /// <summary>
    /// Simple Decryption & Authentication (AES-GCM) of a UTF8 Message
    /// </summary>
    /// <param name="encryptedMessage">The encrypted message.</param>
    /// <param name="key">The key.</param>
    /// <param name="nonSecretPayloadLength">Length of the optional non-secret payload.</param>
    /// <returns>Decrypted Message</returns>
    public static string SimpleDecrypt(string encryptedMessage, byte[] key, int
nonSecretPayloadLength = 0)
    {
      if (string.IsNullOrEmpty(encryptedMessage))
        throw new ArgumentException("Encrypted Message Required!", "encryptedMessage");
     /// <summary>
     /// Simple Encryption And Authentication (AES-GCM) of a UTF8 String
     /// using key derived from a password (PBKDF2).
     /// </summary>
     /// <param name="secretMessage">The secret message.</param>
     /// <param name="password">The password.</param>
     /// <param name="nonSecretPayload">The non secret payload.</param>
     /// <returns>
     /// Encrypted Message
     /// </returns>
     /// <remarks>
     /// Significantly less secure than using random binary keys.
     /// Adds additional non secret payload for key generation parameters.
     /// </remarks>
     public static string SimpleEncryptWithPassword(string secretMessage, string password,
                               byte[] nonSecretPayload = null)
     {
       if (string.IsNullOrEmpty(secretMessage))
         throw new ArgumentException("Secret Message Required!", "secretMessage");
    /// <summary>
    /// Simple Decryption and Authentication (AES-GCM) of a UTF8 message
    /// using a key derived from a password (PBKDF2)
    /// </summary>
    /// <param name="encryptedMessage">The encrypted message.</param>
    /// <param name="password">The password.</param>
    /// <param name="nonSecretPayloadLength">Length of the non secret payload.</param>
    /// <returns>
    /// Decrypted Message
    /// </returns>
    /// <exception cref="System.ArgumentException">Encrypted Message
Required!;encryptedMessage</exception>
    /// <remarks>
    /// Significantly less secure than using random binary keys.
    /// </remarks>
    public static string SimpleDecryptWithPassword(string encryptedMessage, string password,
                              int nonSecretPayloadLength = 0)
    {
      if (string.IsNullOrWhiteSpace(encryptedMessage))
        throw new ArgumentException("Encrypted Message Required!", "encryptedMessage");
         //Assemble Message
         using (var combinedStream = new MemoryStream())
         {
           using (var binaryWriter = new BinaryWriter(combinedStream))
           {
             //Prepend Authenticated Payload
             binaryWriter.Write(nonSecretPayload);
             //Prepend Nonce
             binaryWriter.Write(nonce);
             //Write Cipher Text
             binaryWriter.Write(cipherText);
           }
           return combinedStream.ToArray();
         }
     }
           //Grab Nonce
           var nonce = cipherReader.ReadBytes(NonceBitSize / 8);
             try
             {
               var len = cipher.ProcessBytes(cipherText, 0, cipherText.Length, plainText, 0);
               cipher.DoFinal(plainText, len);
             }
             catch (InvalidCipherTextException)
             {
               //Return null if it doesn't authenticate
               return null;
             }
             return plainText;
         }
         generator.Init(
           PbeParametersGenerator.Pkcs5PasswordToBytes(password.ToCharArray()),
           salt,
           Iterations);
         //Generate Key
         var key = (KeyParameter)generator.GenerateDerivedMacParameters(KeyBitSize);
            generator.Init(
              PbeParametersGenerator.Pkcs5PasswordToBytes(password.ToCharArray()),
              salt,
              Iterations);
            //Generate Key
            var key = (KeyParameter)generator.GenerateDerivedMacParameters(KeyBitSize);
Symmetric Encryption
This method uses a private key in order to perform the data transformation.
Pros:
        Symmetric algorithms consume less resources and are faster than asymmetric ones.
        The amount of data you can encrypt is unlimited.
Cons:
        Encryption and decryption use the same key. Someone will be able to decrypt your data if the key is
        compromised.
        You could end up with many different secret keys to manage if you choose to use a different secret key for
        different data.
Under System.Security.Cryptography you have different classes that perform symmetric encryption, they are
known as block ciphers:
This method uses a combination of public and private keys in order to perform the data transformation.
Pros:
        It uses larger keys than symmetric algorithms, thus they are less susceptible to being cracked by using brute
        force.
        It is easier to guarantee who is able to encrypt and decrypt the data because it relies on two keys (public and
        private).
Cons:
        There is a limit on the amount of data that you can encrypt. The limit is different for each algorithm and is
        typically proportional with the key size of the algorithm. For example, an RSACryptoServiceProvider object
        with a key length of 1,024 bits can only encrypt a message that is smaller than 128 bytes.
        Asymmetric algorithms are very slow in comparison to symmetric algorithms.
Under System.Security.Cryptography you have access to different classes that perform asymmetric encryption:
The code randomly generates the Salt and Initialization Vectors each time a file is encrypted, meaning that
encrypting the same file with the same password will always lead to different output. The salt and IV are written to
the output file so that only the password is required to decrypt it.
public static void ProcessFile(string inputPath, string password, bool encryptMode, string
outputPath)
{
    using (var cypher = new AesManaged())
    using (var fsIn = new FileStream(inputPath, FileMode.Open))
    using (var fsOut = new FileStream(outputPath, FileMode.Create))
    {
        const int saltLength = 256;
        var salt = new byte[saltLength];
        var iv = new byte[cypher.BlockSize / 8];
            if (encryptMode)
            {
                // Generate random salt and IV, then write them to file
                using (var rng = new RNGCryptoServiceProvider())
                {
                     rng.GetBytes(salt);
                     rng.GetBytes(iv);
                }
                 fsOut.Write(salt, 0, salt.Length);
                 fsOut.Write(iv, 0, iv.Length);
            }
            else
            {
                // Read the salt and IV from the file
                 fsIn.Read(salt, 0, saltLength);
The following code samples demonstrate how to generate Cryptographically Secure byte arrays, strings and
numbers.
Random String
When hashing for the first time a salt can be generated for you, the resulting hash and salt can then be stored to a
file.
Checking an existing users password, read their hash and salt from a file and compare to the hash of the entered
password
In order to provide both security AND performance, a hybrid approach can be taken. This entails the
This approach provides a high degree of both performance and security, in that the data is encrypted using a
symmetric algorithm (fast) and the key and iv, both randomly generated (secure) are encrypted by an asymmetric
algorithm (secure). It also has the added advantage that the same payload encrypted on different occasions will
have very different cyphertext, because the symmetric keys are randomly generated each time.
The following class demonstrates asymmetric encryption of strings and byte arrays, as well as hybrid file
encryption.
#endregion
#endregion
              // Symmetrically encrypt the data and write it to the file, along with the encrypted key
and iv
              using (var cypherKey = symmetricCypher.CreateEncryptor(key, iv))
              using (var fsIn = new FileStream(inputFilePath, FileMode.Open))
              using (var fsOut = new FileStream(outputFilePath, FileMode.Create))
              using (var cs = new CryptoStream(fsOut, cypherKey, CryptoStreamMode.Write))
              {
                  fsOut.Write(bufLen,0, bufLen.Length);
                  fsOut.Write(buf, 0, buf.Length);
                  fsIn.CopyTo(cs);
              }
         }
     }
              // Read the encrypted key and IV data from the file and decrypt using the asymmetric
algorithm
              buf = new byte[bufLen];
              fsIn.Read(buf, 0, buf.Length);
              buf = DecryptData(buf, privateKey);
#endregion
     #endregion
}
Example of use:
     if (!File.Exists(privateKeyPath))
     {
         var keys = AsymmetricProvider.GenerateNewKeyPair(2048);
         AsymmetricProvider.WritePublicKey(publicKeyPath, keys.PublicKey);
         AsymmetricProvider.WritePrivateKey(privateKeyPath, keys.PrivateKey, privateKeyPassword);
     }
     if (source.Length != dest.Length)
         throw new Exception("Length does not match");
class C : INotifyPropertyChanged
{
    // backing field
    int offset;
    // property
    public int Offset
    {
        get
        {
            return offset;
        }
        set
        {
            if (offset == value)
                return;
            offset = value;
            RaisePropertyChanged();
        }
    }
     // interface implemetation
     public event PropertyChangedEventHandler PropertyChanged;
}
If you have several classes implementing INotifyPropertyChanged, you may find it useful to refactor out the
interface implementation and the helper method to the common base class:
     // interface implemetation
     public event PropertyChangedEventHandler PropertyChanged;
}
class C : NotifyPropertyChangedImpl
{
    int offset;
    public int Offset
    {
        get { return offset; }
        set { if (offset != value) { offset = value; RaisePropertyChanged(); } }
    }
}
        public virtual bool Set<T>(ref T field, T value, [CallerMemberName] string propertyName = null)
        {
            if (Equals(field, value))
                return false;
            storage = value;
            RaisePropertyChanged(propertyName);
            return true;
        }
}
To use this generic Set method, you simply need to create a class that derives from NotifyPropertyChangedBase.
As shown above, you can call Set(ref _fieldName, value); in a property's setter and it will automatically raise a
PropertyChanged event if it is needed.
You can then register to the PropertyChanged event from another class that needs to handle property changes.
    In C#, arguments can be passed to parameters either by value or by reference. Passing by reference
    enables function members, methods, properties, indexers, operators, and constructors to change the
    value of the parameters and have that change persist in the calling environment. To pass a parameter by
    reference, use the ref or out keyword.
The difference between ref and out is that out means that the passed parameter has to be assigned before the
function ends.in contrast parameters passed with ref can be changed or left unchanged.
using System;
class Program
{
    static void Main(string[] args)
    {
        int a = 20;
        Console.WriteLine("Inside Main - Before Callee: a = {0}", a);
        Callee(a);
        Console.WriteLine("Inside Main - After Callee: a = {0}", a);
           Console.ReadLine();
     }
Output :
You'll notice that even though the printingList list was made before the corrections to student names after the
typos, the PrintPrintingList method still prints out the corrected names:
Scott Duke
Vincent Kong
Craig Brett
This is because both lists hold a list of references to the same students. SO changing the underlying student object
propogates to usages by either list.
class Program
{
    static void Main(string[] args)
    {
        int a = 20;
        Console.WriteLine("Inside Main - Before Callee: a = {0}", a);
        Callee(a);
        Console.WriteLine("Inside Main - After Callee: a = {0}", a);
        Console.WriteLine();
Output
Assigning to a variable of a List<int> does not create a copy of the List<int>. Instead, it copies the reference to
the List<int>. We call types that behave this way reference types.
     value = 4;
     Console.WriteLine(nameof(ByOut) + value);
}
     int outValue2 = 10;   // does not make any sense for out
     ByOut(out outValue2); // prints 4
}
     int refValue2 = 0;
     ByRef(ref refValue2); // prints 0 and 4
The catch is that by using out the parameter must be initialized before leaving the method, therefore the following
Making these changes would make the number update as expected, meaning the console output for number would
be 8.
If the variable books is of a type that implements IQueryable<Book> then the query above gets passed to the
provider (set on the IQueryable.Provider property) in the form of an expression tree, a data structure that reflects
the structure of the code.
      that there is a predicate for the Author property of the Book class;
      that the comparison method used is 'equals' (==);
      that the value it should equal is "Stephen King".
With this information the provider can translate the C# query to a SQL query at runtime and pass that query to a
relational database to fetch only those books that match the predicate:
SELECT *
FROM Books
WHERE Author = 'Stephen King'
The provider gets called when the query variable is iterated over (IQueryable implements IEnumerable).
(The provider used in this example would require some extra metadata to know which table to query and to know
how to match properties of the C# class to columns of the table, but such metadata is outside of the scope of the
IQueryable interface.)
This class can be thought of logically as a buffer for data to be processed combined with tasks for processing that
data, with the “dataflow block” managing both. In its most basic usage, we can instantiate an ActionBlock and “post”
data to it; the delegate provided at the ActionBlock’s construction will be executed asynchronously for every piece
of data posted.
Synchronous Computation
downloader.Post("http://website.com/path/to/images");
downloader.Post("http://another-website.com/path/to/images");
Unlike BufferBlock, BroadcastBlock’s mission in life is to enable all targets linked from the block to get a copy of
every element published, continually overwriting the “current” value with those propagated to it.
Additionally, unlike BufferBlock, BroadcastBlock doesn’t hold on to data unnecessarily. After a particular datum has
been offered to all targets, that element will be overwritten by whatever piece of data is next in line (as with all
dataflow blocks, messages are handled in FIFO order). That element will be offered to all targets, and so on.
var ui = TaskScheduler.FromCurrentSynchronizationContext();
var bb = new BroadcastBlock<ImageData>(i => i);
bb.LinkTo(saveToDiskBlock);
bb.LinkTo(showInUiBlock);
     public MyAgent()
     {
         Status = new BroadcastBlock<string>();
         Run();
     }
// Producer
private static async void Producer()
{
    while(true)
    {
        await _Buffer.SendAsync(Produce());
    }
}
// Consumer
private static async Task Consumer()
{
    while(true)
    {
        Process(await _Buffer.ReceiveAsync());
    }
}
Like BatchBlock, JoinBlock<T1, T2, …> is able to group data from multiple data sources. In fact, that’s JoinBlock<T1,
T2, …>’s primary purpose.
As with BatchBlock, JoinBlock<T1, T2,…> is capable of operating in both greedy and non-greedy mode.
      In the default greedy mode, all data offered to targets are accepted, even if the other target doesn’t have the
      necessary data with which to form a tuple.
      In non-greedy mode, the block’s targets will postpone data until all targets have been offered the necessary
      data to create a tuple, at which point the block will engage in a two-phase commit protocol to atomically
      retrieve all necessary items from the sources. This postponement makes it possible for another entity to
      consume the data in the meantime so as to allow the overall system to make forward progress.
request.ProcessWith(resource);
      return resource;
});
throttle.LinkTo(processor);
processor.LinkTo(throttle.Target1);
If BufferBlock is the most fundamental block in TPL Dataflow, WriteOnceBlock is the simplest.
It stores at most one value, and once that value has been set, it will never be replaced or overwritten.
You can think of WriteOnceBlock in as being similar to a readonly member variable in C#, except instead of only
being settable in a constructor and then being immutable, it’s only settable once and is then immutable.
Scatter/Gather
Consider a scatter/gather problem where N operations are launched, some of which may succeed and produce
string outputs, and others of which may fail and produce Exceptions.
foreach(string s in results.Item1)
{
    Console.WriteLine(s);
}
foreach(Exception e in results.Item2)
{
    Console.WriteLine(e);
}
As with ActionBlock, TransformBlock<TInput, TOutput> enables the execution of a delegate to perform some action
for each input datum; unlike with ActionBlock, this processing has an output. This delegate can be a
Func<TInput, TOutput>, in which case processing of that element is considered completed when the delegate
returns, or it can be a Func<TInput,Task>, in which case processing of that element is considered completed not
when the delegate returns but when the returned Task completes. For those familiar with LINQ, it’s somewhat
similar to Select() in that it takes an input, transforms that input in some manner, and then produces an output.
By default, TransformBlock<TInput, TOutput> processes its data sequentially with a MaxDegreeOfParallelism equal
to 1. In addition to receiving buffered input and processing it, this block will take all of its processed output and
buffer that as well (data that has not been processed, and data that has been processed).
It has 2 tasks: One to process the data, and one to push data to the next block.
A Concurrent Pipeline
compressor.LinkTo(Encryptor);
A Func<TInput, IEnumerable> is used for synchronous, and a Func<TInput, Task<IEnumerable>> is used for
asynchronous. As with both ActionBlock and TransformBlock<TInput, TOutput>, TransformManyBlock<TInput,
TOutput> defaults to sequential processing, but may be configured otherwise.
The mapping delegate retuns a collection of items, which are inserted individually into the output buffer.
    return Enumerable.Empty<string>();
});
downloader.LinkTo(downloader);
BatchBlock combines N single items into one batch item, represented as an array of elements. An instance is
created with a specific batch size, and the block then creates a batch as soon as it’s received that number of
elements, asynchronously outputting the batch to the output buffer.
      In the default greedy mode, all messages offered to the block from any number of sources are accepted and
      buffered to be converted into batches.
             In non-greedy mode, all messages are postponed from sources until enough sources have offered
             messages to the block to create a batch. Thus, a BatchBlock can be used to receive 1 element from
             each of N sources, N elements from 1 source, and a myriad of options in between.
batchRequests.LinkTo(sendToDb);
The data that we deal with is in form of byte array(byte []). The functions for reading and writing are all byte
orientated, e.g. WriteByte().
There are no functions for dealing with integers, strings etc. This makes the stream very general-purpose, but less
simple to work with if, say, you just want to transfer text. Streams can be particularly very helpful when you are
dealing with large amount of data.
We will need to use different type of Stream based where it needs to be written/read from (i.e. the backing store).
For example, if the source is a file, we need to use FileStream:
     fs.Close();
}
All Streams are derived from the generic class System.IO.Stream. Data cannot be directly read or written from
streams. The .NET Framework provides helper classes such as StreamReader, StreamWriter, BinaryReader and
BinaryWriter that convert between native types and the low-level stream interface, and transfer the data to or
from the stream for you.
Reading and writing to streams can be done via StreamReader and StreamWriter. One should be careful when
closing these. By default, closing will also close contained stream as well and make it unusable for further uses. This
default behaviour can be change by using a constructor which has bool leaveOpen parameter and setting its value
as true.
StreamWriter:
StreamReader:
Since Classes Stream, StreamReader, StreamWriter, etc. implement the IDisposable interface, we can call the
Dispose() method on objects of these classes.
You can compile and run any statements, variables, methods, classes or any code segments.
Lets assume we have method (a.k.a. a function) which takes an int parameter which will represent a score up to
100, and the method will print out a message saying whether we pass or fail.
When looking at this method, you may notice this line of code (score >= 50) inside the If statement. This can be
seen as a boolean condition, where if the condition is evaluated to equal true, then the code that is in between the
if { } is ran.
For example, if this method was called like this: PrintPassOrFail(60);, the output of the method would be a
Console Print saying Pass! since the parameter value of 60 is greater or equal to 50.
However, if the method was called like: PrintPassOrFail(30);, the output of the method would print out saying
Fail!. This is because the value 30 is not greater or equal to 50, thus the code in between the else { } is ran instead
of the If statement.
In this example, we've said that score should go up to 100, which hasn't been accounted for at all. To account for
score not going past 100 or possibly dropping below 0, see the If-Else If-Else Statement example.
is exactly equivalent to
in other words, the conditions inside the "if" statement just form an ordinary Boolean expression.
A common mistake when writing conditional statements is to explicitly compare to true and false:
In the example from If-Else Statement, the example specified that the score goes up to 100; however there were
never any checks against this. To fix this, lets modify the method from If-Else Statement to look like this:
All these statements will run in order from the top all the way to the bottom until a condition has been met. In this
new update of the method, we've added two new branches to now accommodate for the score going out of bounds.
For example, if we now called the method in our code as PrintPassOFail(110);, the output would be a Console
Print saying Error: score is greater than 100!; and if we called the method in our code like PrintPassOrFail(-20);,
the output would say Error: score is less than 0!.
class Program
{
    // This line will import the C++ method.
    // The name specified in the DllImport attribute must be the DLL name.
    // The names of parameters are unimportant, but the types must be correct.
    [DllImport("myDLL.dll")]
    private static extern int add(int left, int right);
See Calling conventions and C++ name mangling for explanations about why extern "C" and __stdcall are
necessary.
When the extern method is first invoked the C# program will search for and load the appropriate DLL. For more
information about where is searched to find the DLL, and how you can influence the search locations see this
stackoverflow question.
[DllImport("myDLL.dll")]
When a function uses thiscall(__thiscall) , a pointer to the class is passed down as the first parameter.
Exporting functions using extern "C" to switch to C external linkage which uses C name mangling:
[DllImport("myDLL.dll")]
      Function name will still be mangled (_add@8), but StdCall+extern "C" name mangling is recognized by C#
      compiler.
       EXPORTS
         add
[DllImport("myDLL.dll")]
      Importing mangled name. You'll need some DLL viewer to see the mangled name, then you can specify it
      explicitly:
The following code sample demonstrates this with the myDLL.dll from the previous examples:
class Program
{
    // import necessary API as shown in other examples
    [DllImport("kernel32.dll", SetLastError = true)]
    public static extern IntPtr LoadLibrary(string lib);
    [DllImport("kernel32.dll", SetLastError = true)]
    public static extern void FreeLibrary(IntPtr module);
    [DllImport("kernel32.dll", SetLastError = true)]
    public static extern IntPtr GetProcAddress(IntPtr module, string proc);
          // use function
          int result = add(750, 300);
          // unload library
          FreeLibrary(module);
     }
}
PtrToStructure function got many overloads, but they all have the same intention.
Generic PtrToStructure:
T - structure type.
Example:
If you dealing with managed objects while reading native structures, don't forget to pin your object :)
  T Read<T>(byte[] buffer)
     {
         T result = default(T);
           try
           {
               result = Marshal.PtrToStructure<T>(gch.AddrOfPinnedObject());
           }
           finally
           {
               gch.Free();
           }
           return result;
     }
SetLastError=true
Indicates that the callee will call SetLastError (Win32 API function).
SetLastError=false
Indicates that the callee will not call SetLastError (Win32 API function), therefore you will not get an error
information.
Example:
[DllImport("kernel32.dll", SetLastError=true)]
public static extern IntPtr OpenMutex(uint access, bool handle, string lpName);
If you trying to open mutex which does not exist, GetLastError will return ERROR_FILE_NOT_FOUND.
https://msdn.microsoft.com/en-us/library/windows/desktop/ms681382(v=vs.85).aspx
GetLastError API
[DllImport("coredll.dll", SetLastError=true)]
static extern Int32 GetLastError();
When calling Win32 API from managed code, you must always use the Marshal.GetLastWin32Error.
Here's why:
Between your Win32 call which sets the error (calls SetLastError), the CLR can call other Win32 calls which could call
SetLastError as well, this behavior can override your error value. In this scenario, if you call GetLastError you can
obtain an invalid error.
Setting SetLastError = true, makes sure that the CLR retrieves the error code before it executes other Win32 calls.
While GC cleans our garbage, he removes the unused objects from the managed heap which cause heap
fragmentation. When GC is done with the removal, it performs a heap compression (defragmintation) which
involves moving objects on the heap.
Since GC isn't deterministic, when passing managed object reference/pointer to native code, GC can kick in at any
time, if it occurs just after Inerop call, there is a very good possibility that object (which reference passed to native)
will be moved on the managed heap - as a result, we get an invalid reference on managed side.
In this scenario, you should pin the object before passing it to native code.
Pinned Object
Gc Pinned Handle
      Obtaining a pinned GCHandle to managed object marks a specific object as one that cannot be moved by
      GC, until freeing the handle
Example:
Precautions
      When pinning (especially large ones) object try to release the pinned GcHandle as fast as possible, since it
      interrupt heap defragmentation.
      If you forget to free GcHandle nothing will. Do it in a safe code section (such as finaly)
namespace ComLibrary
{
    [ComVisible(true)]
    public interface IMainType
    {
        int GetInt();
void StartTime();
         int StopTime();
     }
     [ComVisible(true)]
     [ClassInterface(ClassInterfaceType.None)]
     public class MainType : IMainType
     {
         private Stopwatch stopWatch;
For any integers out of this range use namespace System.Numerics which has datatype BigInteger. Check below
link for more information https://msdn.microsoft.com/en-us/library/system.numerics.biginteger(v=vs.110).aspx
You can prevent that by using 1L. Now 1 will be a long and addition will be a long addition
int x = int.MaxValue;
Console.WriteLine(x + x + 1L);         //prints -1
int x = int.MaxValue;
Console.WriteLine(x + 1L + x);         //prints 4294967295
This is due to the left-to-right ordering of the operations. In the first code fragment x + x overflows and after that it
becomes a long. On the other hand x + 1L becomes long and after that x is added to this value.
A good method to implement GetHashCode is to use one prime number as a starting value, and add the hashcodes
of the fields of the type multiplied by other prime numbers to that:
Only the fields which are used in the Equals-method should be used for the hash function.
If you have a need to treat the same type in different ways for Dictionary/HashTables, you can use
IEqualityComparer.
If the instance is a reference type, then Equals will return true only if the references are the same.
If the instance is a value type, then Equals will return true only if the type and value are the same.
               //areFooIntEqual: True
               int fooInt1 = 42;
               int fooInt2 = 42;
               bool areFooIntEqual = fooInt1.Equals(fooInt2);
               Console.WriteLine("fooInt1 and fooInt2 are equal: {0}", areFooIntEqual);
               //areFooStringEqual: True
               string fooString1 = "42";
               string fooString2 = "42";
               bool areFooStringEqual = fooString1.Equals(fooString2);
               Console.WriteLine("fooString1 and fooString2 are equal: {0}", areFooStringEqual);
          }
     }
var person1 = new Person { Name = "Jon", Age = 20, Clothes = "some clothes" };
var person2 = new Person { Name = "Jon", Age = 20, Clothes = "some other clothes" };
var person1 = new Person { Name = "Jon", Age = 20, Clothes = "some clothes" };
var person2 = new Person { Name = "Jon", Age = 20, Clothes = "some other clothes" };
Also using LINQ to make different queries on persons will check both Equals and GetHashCode:
Note that for this query, two objects have been considered equal if both the Equals returned true and the
GetHashCode have returned the same hash code for the two persons.
class Program
{
    static void Main(string[] args)
    {
        Digit dig = new Digit(7);
        //This call invokes the implicit "double" operator
        double num = dig;
        //This call invokes the implicit "Digit" operator
        Digit dig2 = 12;
        Console.WriteLine("num = {0} dig2 = {1}", num, dig2.val);
        Console.ReadLine();
    }
}
Output:
String.Replace can also be used to remove part of a string, by specifying an empty string as the replacement value:
Using the System.String.IndexOf method, you can locate the starting position of a substring within an existing
string.
Note the returned position is zero-based, a value of -1 is returned if the substring is not found.
To find the first location from the end of a string, use the System.String.LastIndexOf method:
In addition:
Output:
     One
     Two
     Three
     Four
Note: The reason to use the invariant versions of these methods is to prevent producing unexpected culture-
specific letters. This is explained here in detail.
Example:
Note that you can choose to specify a specific Culture when converting to lowercase and uppercase by using the
String.ToLower(CultureInfo) and String.ToUpper(CultureInfo) methods accordingly.
Calls to Append() can be daisy chained, because it returns a reference to the StringBuilder:
This example uses the String.Join(String, String[], Int32, Int32) overload, which specifies the start index
and count on top of the separator and value.
If you do not wish to use the startIndex and count overloads, you can join all string given. Like this:
using System;
namespace PartialClassAndMethods
{
    public partial class PartialClass
    {
        public void ExampleMethod() {
            Console.WriteLine("Method call from the first declaration.");
        }
    }
     class Program
     {
         static void Main(string[] args)
         {
             PartialClass partial = new PartialClass();
             partial.ExampleMethod(); // outputs "Method call from the first declaration."
             partial.AnotherExampleMethod(); // outputs "Method call from the second declaration."
         }
     }
}
// PartialClass1.cs
public partial class PartialClass : BaseClass {}
// PartialClass2.cs
public partial class PartialClass {}
You can specify the same base class in more than one partial class. It will get flagged as redundant by some IDE
tools, but it does compile correctly.
// PartialClass1.cs
public partial class PartialClass : BaseClass {}
You cannot specify different base classes in multiple partial classes, it will result in a compiler error.
// PartialClass1.cs
public partial class PartialClass : BaseClass {} // compiler error
// PartialClass2.cs
public partial class PartialClass : OtherBaseClass {} // compiler error
using System;
namespace PartialClassAndMethods
{
    public partial class PartialClass // Auto-generated
    {
        partial void PartialMethod();
    }
     class Program
     {
         static void Main(string[] args)
         {
             PartialClass partial = new PartialClass();
             partial.PartialMethod(); // outputs "Partial method called."
         }
     }
}
https://dotnetfiddle.net/ckrWUo
The timer used by the Stopwatch class depends on the system hardware and operating system. IsHighResolution is
true if the Stopwatch timer is based on a high-resolution performance counter. Otherwise, IsHighResolution is false,
which indicates that the Stopwatch timer is based on the system timer.
Ticks in Stopwatch are machine/OS dependent, thus you should never count on the ration of Stopwatch ticks to
seconds to be the same between two systems, and possibly even on the same system after a reboot. Thus, you can
never count on Stopwatch ticks to be the same interval as DateTime/TimeSpan ticks.
To get system-independent time, make sure to use the Stopwatch’s Elapsed or ElapsedMilliseconds properties,
which already take the Stopwatch.Frequency (ticks per second) into account.
Stopwatch should always be used over Datetime for timing processes as it is more lightweight and uses Dateime if
it cant use a high-resolution performance counter.
Source
double d = 0;
for (int i = 0; i < 1000 * 1000 * 1000; i++)
{
stopWatch.Stop();
Console.WriteLine("Time elapsed: {0:hh\\:mm\\:ss\\.fffffff}", stopWatch.Elapsed);
Result:
Result:
found = new List<string>() { "text in here", "another one", "third one", "fourth" }
When execution reaches await, the thread handling a request is returned to the thread pool while the
asynchronous method runs and the request context is free for another thread to use.
When the task completes the thread pool assigns another thread to continue execution of the request. The request
context is then assigned to this thread. This may or may not be the original thread.
Blocking
When the result of an async method call is waited for synchronously deadlocks can arise. For example the
following code will result in a deadlock when IndexSync() is called:
     return result;
}
This is because, by default the awaited task, in this case db.Products.ToListAsync() will capture the context (in
the case of ASP.NET the request context) and try to use it once it has completed.
When we block synchronously using Task.Result or Task.Wait() (or other blocking methods) the original thread is
still active and retains the request context. The awaited method still operates asynchronously and once the callback
tries to run, i.e. once the awaited task has returned, it attempts to obtain the request context.
Therefore the deadlock arises because while the blocking thread with the request context is waiting for the
asynchronous operation to complete, the asynchronous operation is trying to obtain the request context in order
to complete.
ConfigureAwait
By default calls to an awaited task will capture the current context and attempt to resume execution on the context
once complete.
     // Execution resumes on a "random" thread from the pool without the original request context
     return View(products);
}
     return result;
}
This can avoid deadlocks when it is necessary to block on asynchronous code, however this comes at the cost of
losing the context in the continuation (code after the call to await).
In ASP.NET this means that if your code following a call to await someTask.ConfigureAwait(false); attempts to
access information from the context, for example HttpContext.Current.User then the information has been lost.
In this case the HttpContext.Current is null. For example:
return View();
If ConfigureAwait(true) is used (equivalent to having no ConfigureAwait at all) then both user and user2 are
populated with the same data.
For this reason it is often recommended to use ConfigureAwait(false) in library code where the context is no
longer used.
The result is awaited only inside the extension method. Since async/await is used, it is possible to catch an
exception and call an optional method for handling it.
var task = Task.FromResult(0); // Or any other task from e.g. external lib.
task.RunAndForget(
    e =>
    {
        // Something went wrong, handle it.
    });
However, if you need to work with the result of the time intensive method later, you can do this by awaiting the
execution.
    1. Define a worker method that does the time-intensive work and call it from an event handler for the DoWork
      event of a BackgroundWorker.
    2. Start the execution with RunWorkerAsync. Any argument required by the worker method attached to DoWork
      can be passed in via the DoWorkEventArgs parameter to RunWorkerAsync.
In addition to the DoWork event the BackgroundWorker class also defines two events that should be used for
interacting with the user interface. These are optional.
      The RunWorkerCompleted event is triggered when the DoWork handlers have completed.
      The ProgressChanged event is triggered when the ReportProgress method is called.
All you need to do is wrap your time intensive method in a Task.Run() call.
As you can see we can not return a value from our TimeIntensiveMethod because Thread expects a void Method as
its parameter.
To get a return value from a Thread use either an event or the following:
int ret;
Thread t= new Thread(() =>
{
    Console.WriteLine("Start TimeintensiveMethod.");
t.Start();
t.Join(1000);
Console.Writeline("Count: " + ret);
Example: A timer calls the DataWrite method, which writes "multithread executed..." after five seconds have
elapsed, and then every second after that until the user presses Enter:
using System;
using System.Threading;
class Program
{
  static void Main()
  {
    // First interval = 5000ms; subsequent intervals = 1000ms
    Timer timer = new Timer (DataWrite, "multithread executed...", 5000, 1000);
    Console.ReadLine();
    timer.Dispose(); // This both stops the timer and cleans up.
  }
Change - This method can be called when you would like change the timer interval.
Timeout.Infinite - If you want to fire just once. Specify this in the last argument of the constructor.
System.Timers - Another timer class provided by .NET Framework. It wraps the System.Threading.Timer.
Features:
using System;
using System.Timers; // Timers namespace rather than Threading
class SystemTimer
{
  static void Main()
  {
    Timer timer = new Timer(); // Doesn't require any args
    timer.Interval = 500;
Multithreaded timers - use the thread pool to allow a few threads to serve many timers. It means that callback
method or Elapsed event may trigger on a different thread each time it is called.
Elapsed - this event always fires on time—regardless of whether the previous Elapsed event finished executing.
Because of this, callbacks or event handlers must be thread-safe. The accuracy of multithreaded timers depends on
the OS, and is typically in the 10–20 ms.
interop - when ever you need greater accuracy use this and call the Windows multimedia timer. This has accuracy
down to 1 ms and it is defined in winmm.dll.
timeBeginPeriod - Call this first to inform OS that you need high timing accuracy
timeKillEvent - call this when you are done, this stops the timer
timeEndPeriod - Call this to inform the OS that you no longer need high timing accuracy.
You can find complete examples on the Internet that use the multimedia timer by searching for the keywords
dllimport winmm.dll timesetevent.
NOTE: This applies to Timers using WinForms. If using WPF, you may want to look into DispatcherTimer
          public Form1()
          {
              InitializeComponent();
          }
     public Form1()
     {
         InitializeComponent();
          public Form1()
          {
              InitializeComponent();
               if (timeLeft < 0)
               {
                   myTimer.Stop();
Results in...
And so on...
And assign the result to a dynamic object and read the values in it.
Console.WriteLine(x.a);
Console.WriteLine(x.b);
Console.WriteLine(x.Item1);
Console.WriteLine(x.Item2);
Ref Parameter: If you want to pass a variable as ref parameter then you need to initialize it before you pass it as
ref parameter to method.
Out Parameter: If you want to pass a variable as out parameter you don’t need to initialize it before you pass it as
out parameter to method.
private static void AddOrMult(int a, int b, ref int add, ref int mult) //AddOrMult(int a, int b,
out int add, out int mult)
{
    add = a + b;
    mult = a * b;
}
Assume we want to add a "Rating" to our Vector and we want to make sure the value always starts at 1. The way it
is written below, it will be 0 after being deserialized:
[Serializable]
public class Vector
{
    public int X;
    public int Y;
    public int Z;
     [NonSerialized]
     public decimal Rating = 1M;
     public Vector()
     {
         Rating = 1M;
     }
To fix this problem, we can simply add the following method inside of the class to set it to 1:
[OnDeserializing]
void OnDeserializing(StreamingContext context)
{
    Rating = 1M;
}
Or, if we want to set it to a calculated value, we can wait for it to be finished deserializing and then set it:
[OnDeserialized]
void OnDeserialized(StreamingContext context)
{
    Rating = 1 + ((X+Y+Z)/3);
}
Similarly, we can control how things are written out by using [OnSerializing] and [OnSerialized].
Now we can check what types are loading and on this basis to decide what we really want to receive
using    System;
using    System.IO;
using    System.Runtime.Serialization;
using    System.Runtime.Serialization.Formatters.Binary;
namespace BinarySerializationExample
{
    class MyBinder : SerializationBinder
    {
        public override Type BindToType(string assemblyName, string typeName)
        {
            if (typeName.Equals("BinarySerializationExample.Item"))
                return typeof(Item);
            return null;
        }
    }
     [Serializable]
     public class Item
     {
         private string _name;
     class Program
     {
         static void Main(string[] args)
         {
Version 1
[Serializable]
class Data
{
    [OptionalField]
    private int _version;
And now, let us assume that in the second version of the program added a new class. And we need to store it in an
array.
[Serializable]
class NewItem
{
    [OptionalField]
    private string _name;
[Serializable]
class Data
{
    [OptionalField]
    private int _version;
     [OptionalField]
     private List<NewItem> _newItems;
And so, what would happen when you serialize the data in the program of v2 and will try to deserialize them in the
program of v1?
Why?
The ObjectManager has a different logic to resolve dependencies for arrays and for reference and value types. We
added an array of new the reference type which is absent in our assembly.
When ObjectManager attempts to resolve dependencies it builds the graph. When it sees the array, it can not fix it
immediately, so that it creates a dummy reference and then fixes the array later.
And since this type is not in the assembly and dependencies can’t be fixed. For some reason, it does not remove the
array from the list of elements for the fixes and at the end, it throws an exception “IncorrectNumberOfFixups”.
It is some ‘gotchas’ in the process of serialization. For some reason, it does not work correctly only for arrays of new
reference types.
A Note:
Similar code will work correctly if you do not use arrays with new classes
       Use a collection of new structures rather than classes or use a dictionary(possible classes), because a
       dictionary it’s a collection of keyvaluepair(it’s structure)
       Use ISerializable, if you can't change the old code
[Serializable]
public class Vector
{
    public int X;
    public int Y;
    public int Z;
       [NonSerialized]
       public decimal DontSerializeThis;
All members will be serialized unless we explicitly opt-out using the [NonSerialized] attribute. In our example, X, Y,
Z, and Name are all serialized.
All members are required to be present on deserialization unless marked with [NonSerialized] or
[OptionalField]. In our example, X, Y, and Z are all required and deserialization will fail if they are not present in
the stream. DontSerializeThis will always be set to default(decimal) (which is 0). If Name is present in the stream,
then it will be set to that value, otherwise it will be set to default(string) (which is null). The purpose of
[OptionalField] is to provide a bit of version tolerance.
As well allows to properly serialize or deserialize a class that is not itself serializable
Then you need to let your IFormatter know about the surrogates by defining and initializing a SurrogateSelector
and assigning it to your IFormatter
using    System;
using    System.IO;
using    System.Runtime.Serialization;
using    System.Runtime.Serialization.Formatters.Binary;
namespace BinarySerializationExample
{
    class Item
    {
        private string _name;
     class Program
     {
         static void Main(string[] args)
         {
             var item = new Item
             {
                 Name = "Orange"
             };
[Serializable]
public class Item : ISerializable
{
    private string _name;
     public Item ()
     {
For data serialization, you can specify the desired name and the desired type
When the data is deserialized, you will be able to read the desired type
class Program
{
    static void Main( string[] args )
    {
        object sync = new object();
        int sum = 0;
        Parallel.For( 1, 1000, ( i ) => {
            lock( sync ) sum = sum + i; // lock is necessary
It is not sufficient to just do sum = sum + i without the lock because the read-modify-write operation is not atomic.
A thread will overwrite any external modifications to sum that occur after it has read the current value of sum, but
before it stores the modified value of sum + i back into sum.
Test:
Version a, b;
a = new Version("4.2.1");
b = new Version("4.2.6");
a.CompareTo(b); // a < b : -1
a = new Version("2.8.4");
b = new Version("2.8.0");
a.CompareTo(b); // a > b : 1
a = new Version("5.2");
b = null;
a.CompareTo(b); // a > b : 1
versions.Sort();
Output:
    NULL
    1
    1.0.1
    1.1.5
    2.0
    3.0.10
Demo:
     return total;
}
         public Point()
         {
         }
         [ContractInvariantMethod]
         private void ValidateCoordinates()
         {
             Contract.Invariant(this.X >= 0);
             Contract.Invariant(this.Y >= 0);
         }
     }
}
[ContractClassFor(typeof(IValidation))]
sealed class ValidationContract:IValidation
{
    string IValidation.CustomerID
    {
        [Pure]
        get
        {
            return Contract.Result<string>();
        }
        set
        {
            Contract.Requires<ArgumentNullException>(!string.IsNullOrEmpty(value), "Customer ID
cannot be null!!");
        }
    }
    string IValidation.Password
    {
        [Pure]
        get
        {
            return Contract.Result<string>();
        }
        set
        {
             Contract.Requires<ArgumentNullException>(!string.IsNullOrEmpty(value), "Password cannot
be null!!");
        }
    }
}
class Validation:IValidation
{
    public string GetCustomerPassword(string customerID)
    {
        Contract.Requires(!string.IsNullOrEmpty(customerID),"Customer ID cannot be Null");
        Contract.Requires<ArgumentNullException>(!string.IsNullOrEmpty(customerID), "Exception!!");
        Contract.Ensures(Contract.Result<string>() != null);
In the above code, we have defined an interface called IValidation with an attribute [ContractClass]. This
attribute takes an address of a class where we have implemented a contract for an Interface. The class
ValidationContract makes use of properties defined in the interface and checks for the null values using
Contract.Requires<T>. T is an exception class.
We have also marked the get accessor with an attribute [Pure]. The pure attribute ensures that the method or a
property does not change the instance state of a class in which IValidation interface is implemented.
              this._payments.Add(payment);
         }
     }
}
Most methods will return control to their caller through normal return statements, which disposes all state local to
that method. In contrast, methods that use yield statements allow them to return multiple values to the caller on
request while preserving local state in-between returning those values. These returned values constitute a
sequence. There are two types of yield statements used within iterators:
      yield return, which returns control to the caller but preserves state. The callee will continue execution from
      this line when control is passed back to it.
      yield break, which functions similarly to a normal return statement - this signifies the end of the sequence.
      Normal return statements themselves are illegal within an iterator block.
This example below demonstrates an iterator method that can be used to generate the Fibonacci sequence:
This iterator can then be used to produce an enumerator of the Fibonacci sequence that can be consumed by a
calling method. The code below demonstrates how the first ten terms within the Fibonacci sequence can be
enumerated:
void Main()
{
    foreach (int term in Fibonacci(10))
    {
        Console.WriteLine(term);
    }
}
Output
1
1
2
3
5
8
13
21
This is possible because arrays implement the IEnumerable interface, allowing clients to obtain an iterator for the
array using the GetEnumerator() method. This method returns an enumerator, which is a read-only, forward-only
cursor over each number in the array.
int[] numbers = { 1, 2, 3, 4, 5 };
while (iterator.MoveNext())
{
    Console.WriteLine(iterator.Current);
}
Output
1
2
3
4
5
It's also possible to achieve the same results using a foreach statement:
GlobalAssemblyInfo.cs
using System.Reflection;
using System.Runtime.InteropServices;
//using Stackoverflow domain as a made up example
// The following GUID is for the ID of the typelib if this project is exposed to COM
[assembly: Guid("4e4f2d33-aaab-48ea-a63d-1f0a8e3c935f")]
[assembly: ComVisible(false)] //not going to expose ;)
//then the following might be put into a separate Assembly file per project, e.g.
[assembly: AssemblyTitle("Stackoveflow.Redis")]
You can add the GlobalAssemblyInfo.cs to the local project using the following procedure:
[assembly: AssemblyVersion("1.0.*")]
The * character is used to auto-increment a portion of the version automatically every time you compile (often used
for the "build" number)
The GitVersionTask or SemVer.Git.Fody NuGet packages are examples of the above. To use GitVersionTask, for
instance, after installing the package in your project remove the Assembly*Version attributes from your
AssemblyInfo.cs files. This puts GitVersionTask in charge of versioning your assemblies.
Note that Semantic Versioning is increasingly the de facto standard so these methods recommend using source
control tags that follow SemVer.
'AssemblyTitle' becomes the 'File description' when examining the DLL's Properties Details tab.
[assembly: AssemblyTitle("MyProduct")]
[assembly: AssemblyProduct("MyProduct")]
In this example code in the assembly MyAssembly.UnitTests is allowed to call internal elements from MyAssembly.
[assembly: InternalsVisibleTo("MyAssembly.UnitTests")]
This is especially useful for unit testing to prevent unnecessary public declarations.
#if (DEBUG)
[assembly: AssemblyConfiguration("Debug")]
#else
[assembly: AssemblyConfiguration("Release")]
#endif
once the keyFileName.snk is created at specified directory then give refernce in your project . give
AssemblyKeyFileAttribute attribute the path to snk file to generate the key when we build our class library.
[assembly: AssemblyKeyFile(@"c:\Directory_Name\KeyFileName.snk")]
Thi will create a strong name assembly after build. After creating your strong name assembly you can then install it
in GAC
Happy Coding :)
using System.Linq;
using System.Reflection;
...
Manages files.
You can also read a file as an array of lines using the System.IO.File.ReadAllLines function:
The second parameter of File.ReadLines is optional. You may use it when it is required to specify encoding.
It is important to note that calling ToArray, ToList or another similar function will force all of the lines to be loaded
at once, meaning that the benefit of using ReadLines is nullified. It is best to enumerate over the IEnumerable using
a foreach loop or LINQ if using this method.
File.Copy(@"sourcePath\abc.txt", @"destinationPath\abc.txt");
File.Copy(@"sourcePath\abc.txt", @"destinationPath\xyz.txt");
Remark: By this method, file is copied, meaning that it will be read from the source and then written to the
destination path. This is a resource consuming process, it would take relative time to the file size, and can cause
your program to freeze if you don't utilize threads.
Using the WriteLine method, you can write content line-by-line to a file.
Notice the use of the using keyword which makes sure the StreamWriter object is disposed as soon as it goes out
of scope and thus the file is closed.
string[] lines = { "My first string", "My second string", "and even a third string" };
using (System.IO.StreamWriter sw = new System.IO.StreamWriter(@"C:\MyFolder\OutputText.txt"))
{
    foreach (string line in lines)
    {
        sw.WriteLine(line);
    }
}
Note that the StreamWriter can receive a second bool parameter in it's constructor, allowing to Append to a file
instead of overwriting the file:
You can also use the System.IO.File.WriteAllLines function which receives an IEnumerable<String> as the second
parameter (as opposed to a single string in the previous example). This lets you write content from an array of
lines.
string[] lines = { "My first string", "My second string", "and even a third string" };
System.IO.File.WriteAllLines(@"C:\MyFolder\OutputFile.txt", lines);
By using Create method of the File static class we can create files. Method creates the file at the given path, at the
same time it opens the file and gives us the FileStream of the file. Make sure you close the file after you are done
with it.
ex1:
ex2:
ex3:
File.Create("samplePath").Close();
FileStream class
There are many overloads of this classes constructor which is actually well documented here. Below example is for
the one that covers most used functionalities of this class.
You can check the enums for FileMode, FileAccess, and FileShare from those links. What they basically means are as
follows:
FileMode: Answers "Should file be created? opened? create if not exist then open?" kinda questions.
FileAccess: Answers "Should I be able to read the file, write to the file or both?" kinda questions.
FileShare: Answers "Should other users be able to read, write etc. to the file while I am using it simultaneously?"
kinda questions.
File.Move(@"sourcePath\abc.txt", @"destinationPath\xyz.txt");
Remark1: Only changes the index of the file (if the file is moved in the same volume). This operation does not take
relative time to the file size.
While Delete does not throw exception if file doesn't exist, it will throw exception e.g. if specified path is invalid or
caller does not have the required permissions. You should always wrap calls to Delete inside try-catch block and
handle all expected exceptions. In case of possible race conditions, wrap logic inside lock statement.
Returns an array of FileInfo, representing all the files in the specified directory.
Returns an array of FileInfo, representing all the files in the specified directory with the specified extension.
Debug.Assert only executes in DEBUG builds; it is filtered out of RELEASE builds. It must be considered a debugging
tool in addition to unit testing and not as a replacement of code contracts or input validation methods.
Here assert is a good choice because we can assume that RetrieveSystemConfiguration() will return a valid value
and will never return null.
First, we may assume that RetrieveUserData() will return a valid value. Then, before using the Age property, we
verify the assumption (which should always be true) that the age of the user is strictly positive.
Assert is not for input validation because it is incorrect to assume that this assertion will always be true. You must
use input validation methods for that. In the case above, you should also verify that the input value is a number in
the first place.
Let me explain the idea of it to you on a simple example. Imagine you're working on a RPG game and you need to
load huge file that contains some characters. For example:
Sample of a map:
@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@
@############@@@@@######@#$@@@
@#############@@@######@###@@@
@#######%######@###########@@@
@############################@
@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@
Since those objects have similiar characteristic, you don't need to create separate object for each map field. I will
show you how to use flyweight.
Now we can create classes that represent our fields. We also have to identify them somehow (I used an
enumeration):
Like I said, we don't need to create separate instance for each field. We have to create a repository of fields. The
essence of Flyweight DP is that we dynamically create an object only if we need it and it doesn't exist yet in our
repo, or return it if it already exists. Let's write simple class that will handle this for us:
But why grass appears only one time if we wanted to get it twice? That's because first time we call GetField grass
instance does not exist in our repository, so it's created, but next time we need grass it already exist, so we only
return it.
In the above example, myString initially only has the value "Apples". However, when we concatenate `" are my
favorite fruit"', what the string class does internally needs to do involves:
      Creating a new array of characters equal to the length of myString and the new string we are appending.
      Copying all of the characters of myString into the beginning of our new array and copying the new string into
      the end of the array.
      Create a new string object in memory and reassign it to myString.
For a single concatenation, this is relatively trivial. However, what if needed to perform many append operations,
say, in a loop?
Due to the repeated copying and object creation, this will bring significantly degrade the performance of our
program. We can avoid this by instead using a StringBuilder.
Now when the same loop is run, the performance and speed of the execution time of the program will be
significantly faster than using a normal string. To make the StringBuilder back into a normal string, we can simply
call the ToString() method of StringBuilder.
However, this isn't the only optimization StringBuilder has. In order to further optimize functions, we can take
advantage of other properties that help improve performance.
If we know in advance how long our StringBuilder needs to be, we can specify its size ahead of time, which will
prevent it from needing to resize the character array it has internally.
sb.Append('k', 2000);
Though using StringBuilder for appending is much faster than a string, it can run even faster if you only need to
add a single character many times.
Once you have completed building your string, you may use the ToString() method on the StringBuilder to
convert it to a basic string. This is often necessary because the StringBuilder class does not inherit from string.
In conclusion, StringBuilder should be used in place of string when many modifications to a string need to be
made with performance in mind.
     return customerNamesCsv.ToString();
}
Let me explain the idea of it to you on a simple example. Imagine you're now in Starbobs, famous coffee company.
You can place an order for any coffee you want - with cream and sugar, with cream and topping and much more
combinations! But, the base of all drinks is coffee - dark, bitter drink, you can modify. Let's write a simple program
that simulates coffee machine.
First, we need to create and abstract class that describes our base drink:
      public AbstractCoffee(AbstractCoffee k)
      {
          this.k = k;
      }
Now, let's create some extras, like sugar, milk and topping. Created classes must implement AbstractCoffee - they
will decorate it:
     }
}
Server=myServerAddress;Database=myDataBase;User Id=myUsername;Password=myPassword;
Typically, a connection string will be stored within a configuration file (such as an app.config or web.config within
ASP.NET applications). The following is an example of what a local connection might look like within one of these
files :
<connectionStrings>
   <add name="WidgetsContext" providerName="System.Data.SqlClient"
 connectionString="Server=.\SQLEXPRESS;Database=Widgets;Integrated Security=True;"/>
</connectionStrings>
<connectionStrings>
   <add name="WidgetsContext" providerName="System.Data.SqlClient"
 connectionString="Server=.\SQLEXPRESS;Database=Widgets;Integrated Security=SSPI;"/>
</connectionStrings>
This will allow your application to access the connection string programmatically through WidgetsContext.
Although both Integrated Security=SSPI and Integrated Security=True perform the same function;Integrated
Security=SSPI is preferred since works with both SQLClient & OleDB provider where as Integrated
Security=true throws an exception when used with the OleDb provider.
Each data provider (SQL Server, MySQL, Azure, etc.) all feature their own flavor of syntax for their connection strings
and expose different available properties. ConnectionStrings.com is an incredibly useful resource if you are unsure
about what yours should look like.
The DbContext itself will handle making the connections with the databases and will generally read the appropriate
Connection String data from a configuration to determine how to establish the connections :
Actually executing an Entity Framework query can be quite easy and simply requires you to create an instance of
the context and then use the available properties on it to pull or access your data
Entity Framework also provides an extensive change-tracking system that can be used to handle updating entries
within your database by simply calling the SaveChanges() method to push changes to the database :
Many of the following are classes that are commonly used to query databases and their related namespaces :
All of these are commonly used to access data through C# and will be commonly encountered throughout building
data-centric applications. Many other classes that are not mentioned that implement the same
FooConnection,FooCommand,FooDataReader classes can be expected to behave the same way.
A common pattern that can be used when accessing your data through an ADO.NET connection might look as
follows :
Or if you were just performing a simple update and didn't require a reader, the same basic concept would apply :
You can even program against a set of common interfaces and not have to worry about the provider specific
classes. The core interfaces provided by ADO.NET are:
using System;
using System.Web.Configuration;
using Microsoft.Exchange.WebServices.Data;
namespace SetOutOfOffice
{
    class ExchangeManager
    {
        private ExchangeService Service;
        public ExchangeManager()
        {
            var password = WebConfigurationManager.ConnectionStrings["Password"].ConnectionString;
            Connect("exchangeadmin", password);
        }
        private void Connect(string username, string password)
        {
            var service = new ExchangeService(ExchangeVersion.Exchange2010_SP2);
            service.Credentials = new WebCredentials(username, password);
            service.AutodiscoverUrl("autodiscoveremail@domain.com" ,
RedirectionUrlValidationCallback);
              Service = service;
          }
          private static bool RedirectionUrlValidationCallback(string redirectionUrl)
          {
              return redirectionUrl.Equals("https://mail.domain.com/autodiscover/autodiscover.xml");
          }
          public OofSettings GetOofSettings(string email)
          {
              return Service.GetUserOofSettings(email);
          }
     }
}
using System;
using System.Web.Configuration;
using Microsoft.Exchange.WebServices.Data;
      public ExchangeManager()
      {
          var password = WebConfigurationManager.ConnectionStrings["Password"].ConnectionString;
          Connect("exchangeadmin", password);
      }
      private void Connect(string username, string password)
      {
          var service = new ExchangeService(ExchangeVersion.Exchange2010_SP2);
          service.Credentials = new WebCredentials(username, password);
          service.AutodiscoverUrl("autodiscoveremail@domain.com" , RedirectionUrlValidationCallback);
        Service = service;
    }
    private static bool RedirectionUrlValidationCallback(string redirectionUrl)
    {
        return redirectionUrl.Equals("https://mail.domain.com/autodiscover/autodiscover.xml");
    }
    /// <summary>
    /// Updates the given user's Oof settings with the given details
    /// </summary>
    public void UpdateUserOof(int oofstate, DateTime starttime, DateTime endtime, int
externalaudience, string internalmsg, string externalmsg, string emailaddress)
    {
        var newSettings = new OofSettings
        {
            State = (OofState)oofstate,
            Duration = new TimeWindow(starttime, endtime),
            ExternalAudience = (OofExternalAudience)externalaudience,
            InternalReply = internalmsg,
            ExternalReply = externalmsg
        };
          Service.SetUserOofSettings(emailaddress, newSettings);
      }
}
var   oofState = 1;
var   startDate = new DateTime(01,08,2016);
var   endDate = new DateTime(15,08,2016);
var   externalAudience = 1;
var   internalMessage = "I am not in the office!";
var   externalMessage = "I am not in the office <strong>and neither are you!</strong>"
var   theUser = "theuser@domain.com";
Note that you can format the messages using standard html tags.
          Console.WriteLine(variableSymbol.Type);
          // => "Microsoft.CodeAnalysis.SyntaxNode"
This outputs a list of local variables using a syntax tree. Then it consults the semantic model to get the full type
name and find all references of every variable.
For example, assume a Microsoft.CodeAnalysis.Compilation instance named compilation has been configured.
Every type of C# construct with a corresponding type will exist in the syntax tree. To quickly find specific types, use
the Syntax Visualizer window from Visual Studio. This will interpret the current opened document as a Roslyn
syntax tree.
To load existing code to the workspace, compile and report errors. Afterwards the code will be located in memory.
From here, both the syntactic and semantic side will be available to work with.
Usage
Here is an example where two ValidationAttribute and one DisplayAttribute are used:
class Kid
{
    [Range(0, 18)] // The age cannot be over 18 and cannot be negative
    public int Age { get; set; }
    [StringLength(MaximumLength = 50, MinimumLength = 3)] // The name cannot be under 3 chars or
more than 50 chars
    public string Name { get; set; }
    [DataType(DataType.Date)] // The birthday will be displayed as a date only (without the time)
    public DateTime Birthday { get; set; }
}
Data annotations are mostly used in frameworks such as ASP.NET. For example, in ASP.NET MVC, when a model is
received by a controller method, ModelState.IsValid() can be used to tell if the received model respects all its
ValidationAttribute. DisplayAttribute is also used in ASP.NET MVC to determine how to display values on a web
page.
           if (!string.IsNullOrEmpty(inputValue))
           {
               isValid = inputValue.ToUpperInvariant() != "BANANA";
           }
           return isValid;
     }
}
Validation Context
Any validation needs a context to give some information about what is being validated. This can include various
information such as the object to be validated, some properties, the name to display in the error message, etc.
Once the context is created, there are multiple ways of doing validation.
And More
Example: RequiredAttribute
When validated through the ValidationAttribute.Validate method, this attribute will return an error if the Name
property is null or contains only whitespace.
Example: StringLengthAttribute
The StringLengthAttribute validates if a string is less than the maximum length of a string. It can optionally
specify a minimum length. Both values are inclusive.
Example: RangeAttribute
The RangeAttribute gives the maximum and minimum value for a numeric field.
Example: CustomValidationAttribute
The CustomValidationAttribute class allows a custom static method to be invoked for validation. The custom
method must be static ValidationResult [MethodName] (object input).
Method declaration:
          if (input?.ToString()?.ToUpperInvariant() == "APPLE")
          {
              result = new ValidationResult("Apples are not allowed.");
          }
          return result;
     }
}
<Window x:Class="WpfApplication.MainWindow"
       xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
       xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
       xmlns:wpfApplication="clr-namespace:WpfApplication"
       Height="70" Width="360" Title="Display name example">
     <Window.Resources>
         <wpfApplication:EditableConverter x:Key="EditableConverter"/>
     </Window.Resources>
    <StackPanel Margin="5">
        <!-- TextBox Text (FirstName property value) -->
        <!-- TextBox IsEnabled (Editable attribute) -->
        <TextBox Text="{Binding Employee.FirstName, Mode=TwoWay,
UpdateSourceTrigger=PropertyChanged}"
                IsEnabled="{Binding Employee, Converter={StaticResource EditableConverter},
ConverterParameter=FirstName}"/>
    </StackPanel>
</Window>
namespace WpfApplication
{
    /// <summary>
    /// Interaction logic for MainWindow.xaml
    /// </summary>
    public partial class MainWindow : Window
    {
        private Employee _employee = new Employee() { FirstName = "This is not editable"};
         public MainWindow()
         {
             InitializeComponent();
             DataContext = this;
         }
namespace WpfApplication
{
    public class EditableConverter : IValueConverter
      Download DLL suiting your system from SQLite download page and then add to the project manually
      Add SQLite dependency via NuGet
First create a simple SQLite database with this table and add it as a file to the project
Also do not forget to set the Copy to Output Directory property of the file to Copy if newer of Copy always,
based on your needs
Create a class called User, which will be the base entity for our database
We'll write two methods for query execution, first one for inserting, updating or removing from database
return numberOfRowsAffected;
               da.Dispose();
               return dt;
          }
     }
}
Adding user
Editing user
Deleting user
Getting user by Id
     return user;
}
Note: Setting FailIfMissing to true creates the file data.db if missing. However, the file will be empty. So, any
required tables have to be recreated.
         // add command
         ps.AddCommand("Get-Date");
         // run command(s)
         Console.WriteLine("Date: {0}", ps.Invoke().First());
         Console.ReadLine();
     }
}
Example:
Take a file size of 1 GB for example . The file apr ask created by another program (Explorer.exe copying it from
somewhere) but it will take minutes to finish that process. The event is raised that creation time and you need to
wait for the file to be ready to be copied.
           }
     }
     catch (Exception)
     {
         return false;
     }
}
FileSystemWatcher watcher;
// Specific to your company. Might start "cn=manager" instead of "ou=people", for example.
private const string CompanyDN = "ou=people,dc=example,dc=com";
Actually create the connection with three parts: an LdapDirectoryIdentifier (the server), and NetworkCredentials.
// Configure server and port. LDAP w/ SSL, aka LDAPS, uses port 636.
// If you don't have SSL, don't give it the SSL port.
LdapDirectoryIdentifier identifier = new LdapDirectoryIdentifier(TargetServer, 636);
Use the LDAP server, e.g. search for someone by userid for all objectClass values. The objectClass is present to
demonstrates a compound search: The ampersand is the boolean "and" operator for the two query clauses.
Actually create the connection with three parts: an LdapDirectoryIdentifier (the server), and NetworkCredentials.
To use the connection, something like this would get people with the surname Smith
Here we have set the value for width as optional and gave value as 56. If you note, the IntelliSense itself shows you
the optional argument as shown in the below image.
Note that we did not get any error while compiling and it will give you an output as follows.
Another way of implementing the optional argument is by using the [Optional] keyword. If you do not pass the
using System.Runtime.InteropServices;
private static double FindAreaWithOptional(int length, [Optional]int width)
   {
       try
       {
           return (length * width);
       }
       catch (Exception)
       {
           throw new NotImplementedException();
       }
   }
And when we call the function, we get 0 because the second argument is not passed and the default value of int is 0
and so the product is 0.
FindArea(120, 56);
In this our first argument is length (ie 120) and second argument is width (ie 56). And we are calculating the area by
that function. And following is the function definition.
So in the first function call, we just passed the arguments by its position. Right?
double area;
Console.WriteLine("Area with positioned argument is: ");
area = FindArea(120, 56);
Console.WriteLine(area);
Console.Read();
Now if you run this program, you will get the same result. We can give the names vice versa in the method call if we
are using the named arguments.
One of the important use of a named argument is, when you use this in your program it improves the readability of
your code. It simply says what your argument is meant to be, or what it is?.
You can give the positional arguments too. That means, a combination of both positional argument and named
argument.
In the above example we passed 120 as the length and 56 as a named argument for the parameter width.
There are some limitations too. We will discuss the limitation of a named arguments now.
Named argument specification must appear after all fixed arguments have been specified.
Named argument specification must appear after all fixed arguments have been specified
          System.Console.ReadLine();
     }
}
NOTE: StyleCop's rule SA1124 DoNotUseRegions discourages use of regions. They are usually a sign of badly
organized code, as C# includes partial classes and other features which make regions obsolete.
class Program
     #region My method
     private static void PrintHelloWorld()
     {
         System.Console.WriteLine("Hello, World!");
     }
     #endregion
}
When the above code is view in an IDE, you will be able to collapse and expand the code using the + and - symbols.
Expanded
Collapsed
/// <summary>
/// A helper class for validating method arguments.
/// </summary>
public static class Precondition
{
    /// <summary>
    ///     Throws an <see cref="ArgumentOutOfRangeException"/> with the parameter
          return value;
     }
}
        /// <summary>
        /// Default overridden method which performs authentication.
        /// </summary>
        /// <param name="request">Http request message.</param>
        /// <param name="cancellationToken">Cancellation token.</param>
        /// <returns>Returns http response message of type <see cref="HttpResponseMessage"/> class
asynchronously.</returns>
        protected override Task<HttpResponseMessage> SendAsync(HttpRequestMessage request,
CancellationToken cancellationToken)
        {
            if (request.Headers.Contains(securityToken))
            {
                bool authorized = Authorize(request);
                if (!authorized)
                {
                    return ApiHttpUtility.FromResult(request, false, HttpStatusCode.Unauthorized,
MessageTypes.Error, Resource.UnAuthenticatedUser);
                }
            }
            else
            {
                return ApiHttpUtility.FromResult(request, false, HttpStatusCode.BadRequest,
MessageTypes.Error, Resource.UnAuthenticatedUser);
            }
        /// <summary>
        /// Authorize user by validating token.
        /// </summary>
        /// <param name="requestMessage">Authorization context.</param>
        /// <returns>Returns a value indicating whether current request is authenticated or
not.</returns>
        private bool Authorize(HttpRequestMessage requestMessage)
        {
            try
            {
                HttpRequest request = HttpContext.Current.Request;
                string token = request.Headers[securityToken];
                return SecurityUtility.IsTokenValid(token, request.UserAgent,
HttpContext.Current.Server.MapPath("~/Content/"), requestMessage);
            }
            catch (Exception)
            {
                return false;
            }
        }
A pointer is a variable whose value is the address of another variable i.e., the direct address of the memory
location. similar to any variable or constant, you must declare a pointer before you can use it to store any variable
address.
type *var-name;
The following example illustrates use of pointers in C#, using the unsafe modifier:
using System;
namespace UnsafeCodeApplication
{
   class Program
   {
      static unsafe void Main(string[] args)
      {
         int var = 20;
         int* p = &var;
         Console.WriteLine("Data is: {0} ", var);
         Console.WriteLine("Address is: {0}", (int)p);
         Console.ReadKey();
      }
   }
}
When the above code wass compiled and executed, it produces the following result:
Data is: 20
Address is: 99215364
Instead of declaring an entire method as unsafe, you can also declare a part of the code as unsafe:
// safe code
unsafe
{
    // you can use pointers here
}
// safe code
Therefore, if you need to access an array data using a pointer variable, as we traditionally do in C, or C++, you need
to fix the pointer using the fixed keyword.
using System;
namespace UnsafeCodeApplication
{
   class TestPointer
   {
      public unsafe static void Main()
      {
         int[] list = {10, 100, 200};
         fixed(int *ptr = list)
            Console.ReadKey();
        }
    }
}
When the above code was compiled and executed, it produces the following result:
For example, to compile a program named prog1.cs containing unsafe code, from command line, give the
command:
If you are using Visual Studio IDE then you need to enable use of unsafe code in the project properties.
        Open project properties by double clicking the properties node in the Solution Explorer.
        Click on the Build tab.
        Select the option "Allow unsafe code"
using System;
namespace UnsafeCodeApplication
{
   class Program
   {
      public static void Main()
      {
         unsafe
         {
            int var = 20;
            int* p = &var;
            Console.WriteLine("Data is: {0} " , var);
            Console.WriteLine("Data is: {0} " , p->ToString());
            Console.WriteLine("Address is: {0} " , (int)p);
         }
              Console.ReadKey();
         }
    }
}
When the above code was compiled and executed, it produces the following result:
Data is: 20
Data is: 20
Address is: 77128984
using System;
namespace UnsafeCodeApplication
{
   class TestPointer
   {
      public unsafe void swap(int* p, int *q)
      {
         int temp = *p;
         *p = *q;
         *q = temp;
      }
When the above code is compiled and executed, it produces the following result:
unsafe
{
    var buffer = new int[1024];
    fixed (int* p = &buffer[0])
    {
        for (var i = 0; i < buffer.Length; i++)
        {
            *(p + i) = i;
        }
    }
}
The unsafe keyword is required because pointer access will not emit any bounds checks that are normally emitted
when accessing C# arrays the regular way.
The fixed keyword tells the C# compiler to emit instructions to pin the object in an exception-safe way. Pinning is
required to ensure that the garbage collector will not move the array in memory, as that would invalidate any
pointers pointing within the array.
For example, the type int (alias for System.Int32) has a size of 4. If an int can be stored in address 0, the
subsequent int can be stored in address 4, and so on. In code:
Similarly, the type long (alias for System.Int64) has a size of 8. If a long can be stored in address 0, the subsequent
longcan be stored in address 8, and so on. In code:
The type void is special and void pointers are also special and they are used as catch-all pointers when the type
isn't known or doesn't matter. Due to their size-agnostic nature, void pointers cannot be incremented or
decremented:
int* a;
In C and C++, the following snippet declares an int pointer and an int variable. In C#, it declares two int pointers:
int* a, b;
In C and C++, the following snippet declares two int pointers. In C#, it is invalid:
void* ptr;
int* p1 = (int*)IntPtr.Zero;
void* ptr = p1;
int* p1 = (int*)IntPtr.Zero;
void* ptr = p1;
int* p2 = (int*)ptr;
struct Vector2
{
    public int X;
    public int Y;
}
Console.WriteLine(x); // prints 5
Console.WriteLine(y); // prints 10
Console.WriteLine(s); // prints Vector2
using System;
using System.Runtime.InteropServices;
Having defined out Struct in this way, we can use it as we would use a Union in C. For example, let's create an IP
address as a Random Integer and then modify the first token in the address to '100', by changing it from 'A.B.C.D' to
'100.B.C.D':
Output:
75.49.5.32 = 537211211
100.49.5.32 = 537211236
View Demo
using System;
using System.Runtime.InteropServices;
// The Service struct will hold the Address, the Port and the Protocol
[StructLayout(LayoutKind.Explicit)]
struct Service
{
    [FieldOffset(0)] public IpAddress Address;
    [FieldOffset(4)] public ushort Port;
    [FieldOffset(6)] public Protocol AppProtocol;
    [FieldOffset(0)] public long Payload;
We can now verify that the whole Service Union fits into the size of a long (8 bytes).
View Demo
using System;
using System.Numerics;
namespace Euler_25
{
    class Program
    {
        static void Main(string[] args)
        {
            BigInteger l1 = 1;
            BigInteger l2 = 1;
            BigInteger current = l1 + l2;
            while (current.ToString().Length < 1000)
            {
                l2 = l1;
                l1 = current;
                current = l1 + l2;
            }
            Console.WriteLine(current);
        }
    }
}
This simple algorithm iterates through Fibonacci numbers until it reaches one at least 1000 decimal digits in length,
then prints it out. This value is significantly larger than even a ulong could hold.
Theoretically, the only limit on the BigInteger class is the amount of RAM your application can consume.
     public AnimalController(){
             Console.WriteLine("");
     }
}
We look at this code and we think everything is ok but now our AnimalController is reliant on object
_SantaAndHisReindeer. Automatically my Controller is bad to testing and reusability of my code will be very hard.
Very good explanation why we should use Depedency Injection and interfaces here.
If we want Unity to handle DI, the road to achieve this is very simple :) With NuGet( package manager) we can easily
import unity to our code.
     in Visual Studio Tools -> NuGet Package Manager -> Manage Packages for Solution -> in search input write
     unity -> choose our project-> click install
UnityConfig - in RegisterTypes method, we can see type that will be injection in our constructors.
namespace Vegan.WebUi.App_Start
{
     /// <summary>
     /// Gets the configured Unity container.
     /// </summary>
     public static IUnityContainer GetConfiguredContainer()
     {
container.RegisterType<ISanta, SantaAndHisReindeer>();
      }
 }
}
     UnityMvcActivator - > also with nice comments which say that this class integrates Unity with ASP.NET
     MVC
using System.Linq;
using System.Web.Mvc;
using Microsoft.Practices.Unity.Mvc;
[assembly:
WebActivatorEx.PreApplicationStartMethod(typeof(Vegan.WebUi.App_Start.UnityWebActivator), "Start")]
[assembly:
WebActivatorEx.ApplicationShutdownMethod(typeof(Vegan.WebUi.App_Start.UnityWebActivator),
"Shutdown")]
namespace Vegan.WebUi.App_Start
{
/// <summary>Provides the bootstrapping for integrating Unity with ASP.NET MVC.</summary>
public static class UnityWebActivator
{
    /// <summary>Integrates Unity when the application starts.</summary>
    public static void Start()
    {
        var container = UnityConfig.GetConfiguredContainer();
FilterProviders.Providers.Remove(FilterProviders.Providers.OfType<FilterAttributeFilterProvider>().
First());
        FilterProviders.Providers.Add(new UnityFilterAttributeFilterProvider(container));
DependencyResolver.SetResolver(new UnityDependencyResolver(container));
     /// <summary>Disposes the Unity container when the application is shut down.</summary>
     public static void Shutdown()
     {
         var container = UnityConfig.GetConfiguredContainer();
         container.Dispose();
     }
}
}
                   _SantAndHisReindeer = SantaAndHisReindeer;
          }
     }
In Global.asax.cs we must add new line: UnityWebActivator.Start() which will start, configure Unity and register our
types.
using    System;
using    System.Collections.Generic;
using    System.Linq;
using    System.Web;
using    System.Web.Mvc;
using    System.Web.Optimization;
using    System.Web.Routing;
using    Vegan.WebUi.App_Start;
namespace Vegan.WebUi
{
    public class MvcApplication : System.Web.HttpApplication
    {
        protected void Application_Start()
        {
            AreaRegistration.RegisterAllAreas();
            FilterConfig.RegisterGlobalFilters(GlobalFilters.Filters);
            RouteConfig.RegisterRoutes(RouteTable.Routes);
            BundleConfig.RegisterBundles(BundleTable.Bundles);
            UnityWebActivator.Start();
        }
    }
}
[Export(typeof(ILogger))]
[ExportMetadata("Name", "File")]
public class FileLogger:ILogger
{
    public void Log(string message)
    {
        //Write the message to file
    }
}
     [ImportMany]
     private IEnumerable<Lazy<ILogger, ILoggerMetaData>> _loggers;
Observable
     .FromEventPattern(textBoxInput, "TextChanged")
     .Select(s => ((TextBox) s.Sender).Text)
     .Throttle(TimeSpan.FromSeconds(0.5))
     .DistinctUntilChanged()
     .Subscribe(text => Console.WriteLine(text));
Creates an Observable and starts a method asynchronously. SelectMany flattens the collection and the subscription
is fired every 200 elements through Buffer.
Observable
    .Start(() => GetData())
    .SelectMany(s => s)
    .Buffer(bufferSize)
    .ObserveOn(SynchronizationContext.Current)
    .Subscribe(items =>
    {
        Console.WriteLine("Loaded {0} elements", items.Count);
This pattern is used in a scenario where it makes sense to have only one of something, such as:
      a single class that orchestrates other objects' interactions, ex. Manager class
      or one class that represents a unique, single resource, ex. Logging component
One of the most common ways to implement the Singleton pattern is via a static factory method such as a
CreateInstance() or GetInstance() (or a static property in C#, Instance), which is then designed to always return
the same instance.
The first call to the method or property creates and returns the Singleton instance. Thereafter, the method always
returns the same instance. This way, there is only ever one instance of the singleton object.
Preventing creation of instances via new can be accomplished by making the class constructor(s) private.
class Singleton
{
    // Because the _instance member is made private, the only way to get the single
    // instance is via the static Instance property below. This can also be similarly
    // achieved with a GetInstance() method instead of the property.
    private static Singleton _instance = null;
               // Every call afterwards will return the single instance created above.
               return _instance;
          }
     }
}
To illustrate this pattern further, the code below checks whether an identical instance of the Singleton is returned
when the Instance property is called more than once.
class Program
{
          // Both Singleton objects above should now reference the same Singleton instance.
          if (Object.ReferenceEquals(s1, s2))
          {
               Console.WriteLine("Singleton is working");
          }
          else
          {
              // Otherwise, the Singleton Instance property is returning something
              // other than the unique, single instance when called.
               Console.WriteLine("Singleton is broken");
          }
     }
}
To see more examples, including how to make this thread-safe, visit: Singleton Implementation
Singletons are conceptually similar to a global value, and cause similar design flaws and concerns. Because of this,
the Singleton pattern is widely regarded as an anti-pattern.
Visit "What is so bad about Singletons?" for more information on the problems that arise with their use.
In C#, you have the ability to make a class static, which makes all members static, and the class cannot be
instantiated. Given this, it is common to see static classes used in place of the Singleton pattern.
For key differences between the two, visit C# Singleton Pattern Versus Static Class.
Let me explain the idea of it to you on a simple example. Imagine you're working in a factory that produces three
types of devices - Ammeter, Voltmeter and resistance meter. You are writing a program for a central computer that
will create selected device, but you don't know final decision of your boss on what to produce.
Let's create an interface IDevice with some common functions that all devices have:
Now, we can create classes that represent our devices. Those classes must implement IDevice interface:
Now we have to define factory method. Let's create DeviceFactory class with static method inside:
           device = DeviceFactory.CreateDevice(Device.VOLT);
           device.TurnOn();
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           device.TurnOff();
           Console.WriteLine();
           device = DeviceFactory.CreateDevice(Device.OHM);
           device.TurnOn();
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           Console.WriteLine(device.Measure());
           device.TurnOff();
           Console.WriteLine();
     }
}
This is the example output you might see after running this code:
36
33
43
24
102
-61
85
138
36
368536
685412
800266
578595
In this example demonstrates the creation of different animal worlds for a computer game using different factories.
Although the animals created by the Continent factories are different, the interactions among the animals remain
the same.
using System;
namespace GangOfFour.AbstractFactory
{
  /// <summary>
  /// MainApp startup class for Real-World
  /// Abstract Factory Design Pattern.
  /// </summary>
  class MainApp
  {
    /// <summary>
    /// Entry point into console application.
    /// </summary>
    public static void Main()
    {
      // Create and run the African animal world
      ContinentFactory africa = new AfricaFactory();
      AnimalWorld world = new AnimalWorld(africa);
      world.RunFoodChain();
   /// <summary>
   /// The 'AbstractFactory' abstract class
   /// </summary>
   abstract class ContinentFactory
   {
     public abstract Herbivore CreateHerbivore();
     public abstract Carnivore CreateCarnivore();
   }
  /// <summary>
  /// The 'ConcreteFactory2' class
  /// </summary>
  class AmericaFactory : ContinentFactory
  {
    public override Herbivore CreateHerbivore()
    {
      return new Bison();
    }
    public override Carnivore CreateCarnivore()
    {
      return new Wolf();
    }
  }
  /// <summary>
  /// The 'AbstractProductA' abstract class
  /// </summary>
  abstract class Herbivore
  {
  }
  /// <summary>
  /// The 'AbstractProductB' abstract class
  /// </summary>
  abstract class Carnivore
  {
    public abstract void Eat(Herbivore h);
  }
  /// <summary>
  /// The 'ProductA1' class
  /// </summary>
  class Wildebeest : Herbivore
  {
  }
  /// <summary>
  /// The 'ProductB1' class
  /// </summary>
  class Lion : Carnivore
  {
    public override void Eat(Herbivore h)
    {
      // Eat Wildebeest
      Console.WriteLine(this.GetType().Name +
    /// <summary>
    /// The 'ProductA2' class
    /// </summary>
    class Bison : Herbivore
    {
    }
    /// <summary>
    /// The 'ProductB2' class
    /// </summary>
    class Wolf : Carnivore
    {
      public override void Eat(Herbivore h)
      {
        // Eat Bison
        Console.WriteLine(this.GetType().Name +
          " eats " + h.GetType().Name);
      }
    }
    /// <summary>
    /// The 'Client' class
    /// </summary>
    class AnimalWorld
    {
      private Herbivore _herbivore;
      private Carnivore _carnivore;
        // Constructor
        public AnimalWorld(ContinentFactory factory)
        {
          _carnivore = factory.CreateCarnivore();
          _herbivore = factory.CreateHerbivore();
        }
Output:
In this example demonstrates the Builder pattern in which different vehicles are assembled in a step-by-step
using System;
using System.Collections.Generic;
namespace GangOfFour.Builder
{
  /// <summary>
  /// MainApp startup class for Real-World
  /// Builder Design Pattern.
  /// </summary>
  public class MainApp
  {
    /// <summary>
    /// Entry point into console application.
    /// </summary>
    public static void Main()
    {
      VehicleBuilder builder;
   /// <summary>
   /// The 'Director' class
   /// </summary>
   class Shop
   {
     // Builder uses a complex series of steps
     public void Construct(VehicleBuilder vehicleBuilder)
     {
       vehicleBuilder.BuildFrame();
       vehicleBuilder.BuildEngine();
       vehicleBuilder.BuildWheels();
       vehicleBuilder.BuildDoors();
     }
   }
   /// <summary>
   /// The 'Builder' abstract class
   /// </summary>
   abstract class VehicleBuilder
   {
     protected Vehicle vehicle;
  /// <summary>
  /// The 'ConcreteBuilder1' class
  /// </summary>
  class MotorCycleBuilder : VehicleBuilder
  {
    public MotorCycleBuilder()
    {
      vehicle = new Vehicle("MotorCycle");
    }
  /// <summary>
  /// The 'ConcreteBuilder2' class
  /// </summary>
  class CarBuilder : VehicleBuilder
  {
    public CarBuilder()
    {
      vehicle = new Vehicle("Car");
    }
  /// <summary>
  /// The 'ConcreteBuilder3' class
  /// </summary>
  class ScooterBuilder : VehicleBuilder
  {
    public ScooterBuilder()
    {
      vehicle = new Vehicle("Scooter");
    }
  /// <summary>
  /// The 'Product' class
  /// </summary>
  class Vehicle
  {
    private string _vehicleType;
    private Dictionary<string,string> _parts =
      new Dictionary<string,string>();
      // Constructor
      public Vehicle(string vehicleType)
      {
        this._vehicleType = vehicleType;
      }
// Indexer
Output
In this example demonstrates the Prototype pattern in which new Color objects are created by copying pre-existing,
user-defined Colors of the same type.
using System;
using System.Collections.Generic;
namespace GangOfFour.Prototype
{
  /// <summary>
  /// MainApp startup class for Real-World
  /// Prototype Design Pattern.
  /// </summary>
  class MainApp
  {
    /// <summary>
  /// <summary>
  /// The 'Prototype' abstract class
  /// </summary>
  abstract class ColorPrototype
  {
    public abstract ColorPrototype Clone();
  }
  /// <summary>
  /// The 'ConcretePrototype' class
  /// </summary>
  class Color : ColorPrototype
  {
    private int _red;
    private int _green;
    private int _blue;
      // Constructor
      public Color(int red, int green, int blue)
      {
        this._red = red;
        this._green = green;
        this._blue = blue;
      }
        // Indexer
        public ColorPrototype this[string key]
        {
          get { return _colors[key]; }
          set { _colors.Add(key, value); }
        }
    }
}
Output:
N.B. Depending upon which version of the .NET Framework that is installed on your system, you may need to
change the path above, accordingly.
   1. Open the Run dialog, by using the keyboard shortcut Windows Key + R
   2. Type notepad, then hit Enter
   3. Paste the example code below, into Notepad
   4. Save the file as ConsoleApp.cs, by going to File → Save As..., then entering ConsoleApp.cs in the 'File Name'
       text field, then selecting All Files as the file-type.
   5. Click Save
Now, go back to where you originally saved your ConsoleApp.cs file. You should now see an executable file
(ConsoleApp.exe). Double-click ConsoleApp.exe to open it.
That's it! Your console application has been compiled. An executable file has been created and you now have a
working Console app.
using System;
namespace ConsoleApp
{
    class Program
    {
        private static string input = String.Empty;
input = Console.ReadLine();
                  if (input.Length >= 1)
                  {
                      Console.WriteLine(
                          "Hello, " +
                          input +
                          ", enter 'Exit' at any time to exit this app.");
                      goto AwaitFurtherInstruction;
                  }
                  else
                  {
                      goto DisplayGreeting;
                  }
              }
              AwaitFurtherInstruction:
              {
                  input = Console.ReadLine();
                  if(input.ToLower() == "exit")
                  {
                      input = String.Empty;
                       Environment.Exit(0);
                  }
                  else
                  {
                      goto AwaitFurtherInstruction;
                  }
              }
         }
     }
}
System.IO.Compression
System.IO.Compression.FileSystem
namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            string zipPath = @"c:\example\start.zip";
            string extractPath = @"c:\example\extract";
Now machineClosure refers to a function from int to int, which behind the scenes uses the IMachine instance
which machine refers to in order to carry out the computation. Even if the reference machine goes out of scope, as
long as the machineClosure object is maintained, the original IMachine instance will be retained as part of a
'closure', automatically defined by the compiler.
Warning: this can mean that the same function call returns different values at different times (e.g. In this example if
the machine keeps a sum of its inputs). In lots of cases, this may be unexpected and is to be avoided for any code in
a functional style - accidental and unexpected closures can be a source of bugs.
int Add1(int i)
{
    return i + 1;
}
...
Console.WriteLine(add1(42)); //43
Console.WriteLine(Add1(42)); //43
Console.WriteLine(add(100, 250)); //350
Console.WriteLine(Add(100, 250)); //350
       // Represents a named parameter expression. {parm => parm.Name.Equals()}, it is the param part
       // To create a ParameterExpression need the type of the entity that the query is against an a
name
       // The type is possible to find with the generic T and the name is fixed parm
       ParameterExpression param = Expression.Parameter(typeof(T), "parm");
                     // Remove the two just used filters, for the method in the next iteration finds the
next filters
                     filters.Remove(f1);
                     filters.Remove(f2);
Here is where the query is created, it receives a expression parameter and a filter.
     //Represents an expression that has a constant value, so here we are accessing for example:
     // the values of the Property "Name".
     // Also for clarity sake the GetConstant will be explained in another example.
     ConstantExpression constant = GetConstant(member.Type, queryFilter.Value);
          case Operator.Contains:
              return Expression.Call(member, ContainsMethod, constant);
          case Operator.GreaterThan:
              return Expression.GreaterThan(member, constant);
          case Operator.GreaterThanOrEqual:
              return Expression.GreaterThanOrEqual(member, constant);
          case Operator.LessThan:
              return Expression.LessThan(member, constant);
          case Operator.LessThanOrEqualTo:
              return Expression.LessThanOrEqual(member, constant);
          case Operator.StartsWith:
              return Expression.Call(member, StartsWithMethod, constant);
          case Operator.EndsWith:
              return Expression.Call(member, EndsWithMethod, constant);
     }
     return null;
}
In this case, it is a query against the Food entity, that want to find all foods that start with "Burger" in the name.
Output:
query = {parm => a.parm.StartsWith("Burger")}
using   Google.Contacts;
using   Google.GData.Client;
using   Google.GData.Contacts;
using   Google.GData.Extensions;
namespace GoogleContactImport.Controllers
{
    public class HomeController : Controller
    {
        public ActionResult Index()
        {
            return View();
        }
            HttpWebRequest webRequest =
(HttpWebRequest)WebRequest.Create("https://accounts.google.com/o/oauth2/token");
            webRequest.Method = "POST";
            string parameters = "code=" + code + "&client_id=" + google_client_id +
"&client_secret=" + google_client_sceret + "&redirect_uri=" + google_redirect_url +
"&grant_type=authorization_code";
            byte[] byteArray = Encoding.UTF8.GetBytes(parameters);
            webRequest.ContentType = "application/x-www-form-urlencoded";
            webRequest.ContentLength = byteArray.Length;
            Stream postStream = webRequest.GetRequestStream();
            // Add the post data to the web request
            postStream.Write(byteArray, 0, byteArray.Length);
            postStream.Close();
            WebResponse response = webRequest.GetResponse();
            postStream = response.GetResponseStream();
            StreamReader reader = new StreamReader(postStream);
            string responseFromServer = reader.ReadToEnd();
            GooglePlusAccessToken serStatus =
JsonConvert.DeserializeObject<GooglePlusAccessToken>(responseFromServer);
            /*End*/
            return GetContacts(serStatus);
        }
              public GooglePlusAccessToken()
              { }
         }
     }
}
[assembly:CLSCompliant(true)]
namespace CLSDoc
{
              return increasedAge;
         }
     }
}
[assembly:CLSCompliant(true)]
namespace CLSDoc
{
               return ptr;
          }
     }
}
[assembly:CLSCompliant(true)]
namespace CLSDoc
{
     }
}
[assembly:CLSCompliant(true)]
namespace CLSDoc
{
[assembly:CLSCompliant(true)]
namespace CLSDoc
{
     [CLSCompliant(false)]
     public class Animal
     {
         public int age = 0;
     }
     ObservableCollectionrepresents a dynamic data collection that provides notifications when items get
     added, removed, or when the entire list is refreshed.
The key difference from other collections is that ObservableCollection implements the interfaces
INotifyCollectionChanged and INotifyPropertyChanged and immediately raise notification event when a new
object is added or removed and when collection is cleared.
This is especially useful for conneting the UI and backend of an application without having to write extra code
because when an object is added to or removed from an observable collection, the UI is automatically updated.
using System.Collections.ObjectModel
You can either create an empty instance of a collection for example of type string
Simplifying, we can say that this code actually means the following:
Task Foo()
{
    Bar();
    Task t = Baz();
    var context = SynchronizationContext.Current;
    t.ContinueWith(task) =>
    {
        if (context == null)
             Qux();
        else
             context.Post((obj) => Qux(), null);
    }, TaskScheduler.Current);
     return t;
}
It means that async/await keywords use current synchronization context if it exists. I.e. you can write library code
that would work correctly in UI, Web, and Console applications.
Source article.
. . .
Foo().ConfigureAwait(false);
This method will freeze UI application until the RunTooLong will be completed. The application will be unresponsive.
But this code won't execute because inner body may be run on non-UI thread and it shouldn't change UI properties
directly:
            if (label1.InvokeRequired)
                 lable1.BeginInvoke((Action) delegate() { label1.Text = label1Text; });
            else
                 label1.Text = label1Text;
      });
}
Now don't forget always to use this pattern. Or, try SynchronizationContext.Post that will make it for you:
{
     Person bob=new Person("Bob", 25);
     Person bob_clone=bob.Clone();
     Debug.Assert(bob_clone.Name==bob.Name);
     bob.Age=56;
     Debug.Assert(bob.Age!=bob.Age);
}
Notice that changing the age of bob does not change the age of bob_clone. This is because the design uses cloning
instead of assigning of (reference) variables.
Another reason would be if the struct contains a reference type (or an array) which would need copying also.
The stack trace goes on like that, but this part will suffice for our purposes.
This is the most important part. It tells us the exact line where the Exception occurred: line 29 in Form1.cs .
So, this is where you begin your search.
at System.Windows.Forms.Control.OnClick(EventArgs e)
This is the method that called button1_Click. So now we know that button1_Click, where the error occurred, was
called from System.Windows.Forms.Control.OnClick.
at System.Windows.Forms.Button.OnClick(EventArgs e)
The stack trace is the list of functions that was called until your code encountered the Exception. And by following
Note that the stack trace includes calls from the .Net system; you don't normally need to follow all Microsofts
System.Windows.Forms code to find out what went wrong, only the code that belongs to your own application.
So the stack lets the computer know where it left off, before calling a new method.
But it also serves as a debugging help. Like a detective tracing the steps that a criminal took when committing their
crime, a programmer can use the stack to trace the steps a program took before it crashed.
     Console.WriteLine(sb.ToString());
     Console.ReadLine();
}
In the example above, an array of strings (cars) is used as a collection of objects to be queried using LINQ. In a LINQ
query, the from clause comes first in order to introduce the data source (cars) and the range variable (car). When
the query is executed, the range variable will serve as a reference to each successive element in cars. Because the
compiler can infer the type of car, you do not have to specify it explicitly
When the above code is compiled and executed, it produces the following result:
The WHERE clause is used to query the string array (cars) to find and return a subset of array which satisfies the
When the above code is compiled and executed, it produces the following result:
Sometimes it is useful to sort the returned data. The orderby clause will cause the elements to be sorted according
to the default comparer for the type being sorted.
When the above code is compiled and executed, it produces the following result:
class Program
{
    static void Main(string[] args)
    {
When the above code is compiled and executed, it produces the following result:
Until now the examples don't seem amazing as one can just iterate through the array to do basically the same.
However, with the few examples below you can see how to create more complex queries with LINQ to Objects and
achieve more with a lot less of code.
In the example below we can select cars that have been sold over 60000 units and sort them over the number of
units sold:
When the above code is compiled and executed, it produces the following result:
When the above code is compiled and executed, it produces the following result:
          public GmailEmailService() :
              base(ConfigurationManager.AppSettings["GmailHost"],
      Int32.Parse(ConfigurationManager.AppSettings["GmailPort"]))
          {
              //Get values from web.config file:
              this.UserName = ConfigurationManager.AppSettings["GmailUserName"];
              this.EnableSsl = Boolean.Parse(ConfigurationManager.AppSettings["GmailSsl"]);
              this.UseDefaultCredentials = false;
              this.Credentials = new System.Net.NetworkCredential(this.UserName,
      ConfigurationManager.AppSettings["GmailPassword"]);
          }
      }
email.IsBodyHtml = true;
   3. Add your credentials to the web.config. I did not use gmail in this portion because the use of gmail is blocked
      in my workplace and it still works perfectly.
4. Make necessary changes to your Account Controller. Add the following highlighted code.
              if (result != 0)
              {
                  throw new Win32Exception(result);
              }
         }
     ~NetworkConnection()
     {
         Dispose(false);
     }
     [DllImport("mpr.dll")]
     private static extern int WNetAddConnection2(NetResource netResource,
         string password, string username, int flags);
[StructLayout(LayoutKind.Sequential)]
public class NetResource
{
    public ResourceScope Scope;
    public ResourceType ResourceType;
    public ResourceDisplaytype DisplayType;
    public int Usage;
    public string LocalName;
    public string RemoteName;
    public string Comment;
    public string Provider;
}
Start of with creating an server that will handle clients that connect, and requests that will be send. So create an
Listener Class that will handle this.
class Listener
{
    public Socket ListenerSocket; //This is the socket that will listen to any incoming connections
    public short Port = 1234; // on this port we will listen
    public Listener()
    {
        ListenerSocket = new Socket(AddressFamily.InterNetwork, SocketType.Stream,
ProtocolType.Tcp);
    }
 }
First we need to initialize the Listener socket where we can listen on for any connections. We are going to use an
Tcp Socket that is why we use SocketType.Stream. Also we specify to witch port the server should listen to
1. ListenerSocket.Bind();
      This method binds the socket to an IPEndPoint. This class contains the host and local or remote port
      information needed by an application to connect to a service on a host.
2. ListenerSocket.Listen(10);
The backlog parameter specifies the number of incoming connections that can be queued for acceptance.
3. ListenerSocket.BeginAccept();
      The server will start listening for incoming connections and will go on with other logic. When there is an
      connection the server switches back to this method and will run the AcceptCallBack methodt
1. ListenerSocket.EndAccept()
      We started the callback with Listener.BeginAccept() end now we have to end that call back. The
      EndAccept() method accepts an IAsyncResult parameter, this will store the state of the asynchronous
      method, From this state we can extract the socket where the incoming connection was coming from.
2. ClientController.AddClient()
      With the socket we got from EndAccept() we create an Client with an own made method (code
      ClientController below server example).
3. ListenerSocket.BeginAccept()
      We need to start listening again when the socket is done with handling the new connection. Pass in the
      method who will catch this callback. And also pass int the Listener socket so we can reuse this socket for
      upcoming connections.
               ListenerSocket.BeginAccept(AcceptCallback, ListenerSocket);
           }
           catch (Exception ex)
           {
               throw new Exception("Base Accept error"+ ex);
           }
     }
Now we have an Listening Socket but how do we receive data send by the client that is what the next code is
showing.
First of create a receive class with a constructor that takes in a Socket as parameter:
In the next method we first start off with giving the buffer a size of 4 bytes (Int32) or package contains to parts
{lenght, actual data}. So the first 4 bytes we reserve for the lenght of the data the rest for the actual data.
Next we use BeginReceive() method. This method is used to start receiving from connected clients and when it will
receive data it will run the ReceiveCallback function.
So we've setup a server that can receive and listen for incoming connections. When a clients connect it will be
added to a list of clients and every client has his own receive class. To make the server listen:
     class Client
     {
         public Socket _socket { get; set; }
         public ReceivePacket Receive { get; set; }
         public int Id { get; set; }
Connecting to server
First of all we want to create a class what connects to the server te name we give it is: Connector:
class Connector
{
    private Socket _connectingSocket;
}
3. Every loop it is just holding the Thread for 1 second we don't want to DOS the server XD
   4. With Connect() it will try to connect to the server. If it fails it will throw an exception but the wile will keep the
      program connecting to the server. You can use a Connect CallBack method for this, but I'll just go for calling a
      method when the Socket is connected.
5. Notice the Client is now trying to connect to your local pc on port 1234.
                while (!_connectingSocket.Connected)
                {
                    Thread.Sleep(1000);
                    try
                    {
                        _connectingSocket.Connect(new IPEndPoint(IPAddress.Parse("127.0.0.1"), 1234));
                    }
                    catch { }
                }
                SetupForReceiveing();
             }
        }
So now we have an almost finish or Socket application. The only thing that we don't have jet is a Class for sending a
message to the server.
Finaly crate two buttons one for connect and the other for sending a message:
Notice
The Receive Class from the server is the same as the receive class from the client.
Conclusion
You now have a server and a client. You can work this basic example out. For example make it that the server also
can receive files or other tings. Or send a message to the client. In the server you got a list of client so when you
receive something you will know from with client it came from.
Final result:
      “Adapter” as the name suggests is the object which lets two mutually incompatible interfaces
      communicate with each other.
      For example: if you buy a Iphone 8 (or any other Apple product) you need alot of adapters. Because the
      default interface does not support audio jac or USB. With these adapters you can use earphones with
      wires or you can use a normal Ethernet cable. So "two mutually incompatible interfaces communicate with
      each other".
      So in technical terms this means: Convert the interface of a class into another interface that a clients
      expect. Adapter let classes work together that couldn't otherwise because of incompatible interfaces. The
      classes and objects participating in this pattern are:
         1. ITarget: This is the interface which is used by the client to achieve functionality.
         2. Adaptee: This is the functionality which the client desires but its interface is not compatible with
            the client.
         3. Client: This is the class which wants to achieve some functionality by using the adaptee’s code.
         4. Adapter: This is the class which would implement ITarget and would call the Adaptee code which
            the client wants to call.
UML
/// <summary>
/// Interface: This is the interface which is used by the client to achieve functionality.
/// </summary>
public interface ITarget
{
    List<string> GetEmployeeList();
}
/// <summary>
/// Adaptee: This is the functionality which the client desires but its interface is not compatible
with the client.
/// </summary>
public class CompanyEmplyees
{
    public string[][] GetEmployees()
    {
        string[][] employees = new string[4][];
/// <summary>
/// Client: This is the class which wants to achieve some functionality by using the adaptee’s code
(list of employees).
/// </summary>
public class ThirdPartyBillingSystem
{
    /*
     * This class is from a thirt party and you do'n have any control over it.
     * But it requires a Emplyee list to do its work
     */
     }
}
/// <summary>
/// Adapter: This is the class which would implement ITarget and would call the Adaptee code which
the client wants to call.
/// </summary>
public class EmployeeAdapter : CompanyEmplyees, ITarget
{
    public List<string> GetEmployeeList()
    {
        List<string> employeeList = new List<string>();
        string[][] employees = GetEmployees();
        foreach (string[] employee in employees)
        {
            employeeList.Add(employee[0]);
            employeeList.Add(",");
            employeeList.Add(employee[1]);
            employeeList.Add(",");
            employeeList.Add(employee[2]);
            employeeList.Add("\n");
        }
           return employeeList;
     }
}
///
/// Demo
When to use
      Allow a system to use classes of another system that is incompatible with it.
      Allow communication between new and already existing system which are independent to each other
      Ado.Net SqlAdapter, OracleAdapter, MySqlAdapter are best example of Adapter Pattern.
            array = new[] { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
            shiftCount = -1;
            Rotate(ref array, shiftCount);
            Console.WriteLine(string.Join(", ", array));
            // Output: [2, 3, 4, 5, 6, 7, 8, 9, 10, 1]
            array = new[] { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
            shiftCount = -35;
            Rotate(ref array, shiftCount);
            Console.WriteLine(string.Join(", ", array));
            // Output: [6, 7, 8, 9, 10, 1, 2, 3, 4, 5]
     }
            array = backupArray;
     }
The thing that is important in this code is the formula with which we find the new index value after the rotation.
(shiftCount % array.Length) -> we normalize the shifting value to be in the length of the array (since in an array
with length 10, shifting 1 or 11 is the same thing, the same goes for -1 and -11).
array.Length + (shiftCount % array.Length) -> this is done due to left rotations to make sure we do not go into a
negative index, but rotate it to the end of the array. Without it for an array with length 10 for index 0 and a rotation
-1 we would go into a negative number (-1) and not get the real rotation index value, which is 9. (10 + (-1 % 10) = 9)
index + array.Length + (shiftCount % array.Length) -> not much to say here as we apply the rotation to the index
to get the new index. (0 + 10 + (-1 % 10) = 9)
index + array.Length + (shiftCount % array.Length) % array.Length -> the second normalization is making sure
that the new index value does not go outside of the array, but rotates the value in the beginning of the array. It is
for right rotations, since in an array with length 10 without it for index 9 and a rotation 1 we would go into index 10,
which is outside of the array, and not get the real rotation index value is 0. ((9 + 10 + (1 % 10)) % 10 = 0)
The MessageBox control displays a message with specified text, and can be customised by specifying a custom
image, title and button sets (These button sets allow the user to choose more than a basic yes/no answer).
By creating our own MessageBox we can re-use that MessageBox Control in any new applications just by using the
generated dll, or copying the file containing the class.
   1. Visual Studio --> Your current project (Windows Form) --> Solution Explorer --> Project Name --> Right Click -->
      Add --> Existing Item --> Then locate your existing .cs file.
   2. Now there's one last thing to do in order to use the control. Add a using statement to your code, so that your
      assembly knows about its dependencies.
       using    System;
       using    System.Collections.Generic;
       using    System.ComponentModel;
       using    System.Data;
       using    System.Drawing;
       .
       .
       .
       using    CustomMsgBox; //Here's the using statement for our dependency.
   2. Go to the toolbar at the top and click File -> New Project --> Windows Forms Application --> Give the project a
      name and then click ok.
   3. Once loaded, drag and drop a button control from the Toolbox (found on the left) onto the form (as shown
      below).
5. Edit the code for the form so that it looks like the following (You can right-click the form and click Edit Code):
namespace MsgBoxExample {
    public partial class MsgBoxExampleForm : Form {
        //Constructor, called when the class is initialised.
        public MsgBoxExampleForm() {
            InitializeComponent();
        }
    6. Solution Explorer -> Right Click on your project --> Add --> Windows Form and set the name as
       "CustomMsgBox.cs"
    7. Drag in a button & label control from the Toolbox to the form (It'll look something like the form below after
       doing it):
8. Now write out the code below into the newly created form:
9. Now run the program by just pressing F5 Key. Congratulations, you've made a reusable control.
JSON (http://www.omdbapi.com/?i=tt1663662)
{
    Title: "Pacific Rim",
    Year: "2013",
    Rated: "PG-13",
    Released: "12 Jul 2013",
    Runtime: "131 min",
    Genre: "Action, Adventure, Sci-Fi",
    Director: "Guillermo del Toro",
    Writer: "Travis Beacham (screenplay), Guillermo del Toro (screenplay), Travis Beacham (story)",
    Actors: "Charlie Hunnam, Diego Klattenhoff, Idris Elba, Rinko Kikuchi",
    Plot: "As a war between humankind and monstrous sea creatures wages on, a former pilot and a
trainee are paired up to drive a seemingly obsolete special weapon in a desperate effort to save
the world from the apocalypse.",
    Language: "English, Japanese, Cantonese, Mandarin",
    Country: "USA",
    Awards: "Nominated for 1 BAFTA Film Award. Another 6 wins & 46 nominations.",
    Poster:
"https://images-na.ssl-images-amazon.com/images/M/MV5BMTY3MTI5NjQ4Nl5BMl5BanBnXkFtZTcwOTU1OTU0OQ@@.
_V1_SX300.jpg",
    Ratings: [{
            Source: "Internet Movie Database",
            Value: "7.0/10"
        },
        {
            Source: "Rotten Tomatoes",
            Value: "71%"
        },
        {
            Source: "Metacritic",
            Value: "64/100"
        }
    ],
    Metascore: "64",
    imdbRating: "7.0",
    imdbVotes: "398,198",
    imdbID: "tt1663662",
    Type: "movie",
    DVD: "15 Oct 2013",
    BoxOffice: "$101,785,482.00",
    Production: "Warner Bros. Pictures",
    Website: "http://pacificrimmovie.com",
    Response: "True"
}
Movie Model
using   Project.Serializers;
using   Newtonsoft.Json;
using   System;
using   System.Collections.Generic;
namespace Project.Models
{
    [DataContract]
    public class Movie
    {
        public Movie() { }
          [DataMember]
          public int Id { get; set; }
          [DataMember]
          public string ImdbId { get; set; }
          [DataMember]
          public string Title { get; set; }
          [DataMember]
          public DateTime Released { get; set; }
          [DataMember]
          [JsonConverter(typeof(RuntimeSerializer))]
          public TimeSpan Runtime { get; set; }
     }
}
RuntimeSerializer
using    Newtonsoft.Json;
using    Newtonsoft.Json.Linq;
using    System;
using    System.Collections.Generic;
using    System.Linq;
using    System.Text.RegularExpressions;
using    System.Threading.Tasks;
namespace Project.Serializers
{
    public class RuntimeSerializer : JsonConverter
    {
        public override bool CanConvert(Type objectType)
        {
            return objectType == typeof(TimeSpan);
        }
              JToken jt = JToken.Load(reader);
              String value = jt.Value<String>();
              int timespanMin;
              if(!Int32.TryParse(value, out timespanMin))
Calling It
Movie m = JsonConvert.DeserializeObject<Movie>(apiResponse));
Usage:
Demo
For this JSON object
{
    "User": "John",
    "Workdays": {
       "Monday": true,
       "Tuesday": true,
       "Friday": false
    },
    "Age": 42
}
User: 'John'
Workdays.Monday: 'True'
Workdays.Tuesday: 'True'
Workdays.Friday: 'False'
Age: '42'
The service implementation calculates and returns the appropriate result, as shown in the following example code.
The service exposes an endpoint for communicating with the service, defined using a configuration file
(Web.config), as shown in the following sample configuration.
<services>
    <service
       name="StackOverflow.ServiceModel.Samples.CalculatorService"
       behaviorConfiguration="CalculatorServiceBehavior">
        <!-- ICalculator is exposed at the base address provided by
        host: http://localhost/servicemodelsamples/service.svc. -->
       <endpoint address=""
             binding="wsHttpBinding"
             contract="StackOverflow.ServiceModel.Samples.ICalculator" />
       ...
    </service>
</services>
The framework does not expose metadata by default. As such, the service turns on the ServiceMetadataBehavior
and exposes a metadata exchange (MEX) endpoint at http://localhost/servicemodelsamples/service.svc/mex. The
following configuration demonstrates this.
<system.serviceModel>
  <services>
    <service
        name="StackOverflow.ServiceModel.Samples.CalculatorService"
The client communicates using a given contract type by using a client class that is generated by the ServiceModel
Metadata Utility Tool (Svcutil.exe).
Run the following command from the SDK command prompt in the client directory to generate the typed proxy:
svcutil.exe /n:"http://StackOverflow.ServiceModel.Samples,StackOverflow.ServiceModel.Samples"
http://localhost/servicemodelsamples/service.svc/mex /out:generatedClient.cs
Like the service, the client uses a configuration file (App.config) to specify the endpoint with which it wants to
communicate. The client endpoint configuration consists of an absolute address for the service endpoint, the
binding, and the contract, as shown in the following example.
<client>
     <endpoint
         address="http://localhost/servicemodelsamples/service.svc"
         binding="wsHttpBinding"
         contract="StackOverflow.ServiceModel.Samples.ICalculator" />
</client>
The client implementation instantiates the client and uses the typed interface to begin communicating with the
service, as shown in the following example code.
// Create a client.
CalculatorClient client = new CalculatorClient();
Ðаn                       Chapter 4
4444                      Chapter 130
Aaron Anodide             Chapter 21
Aaron Hudon               Chapters 4, 7, 30, 34, 35, 52, 58 and 62
aashishkoirala            Chapter 17
Abbas Galiyakotwala       Chapter 138
Abdul Rehman Sayed        Chapters 26, 52, 95 and 107
AbdulRahman Ansari        Chapter 67
abishekshivan             Chapter 1
Abob                      Chapter 22
abto                      Chapter 50
Adam                      Chapters 58, 109 and 114
Adam Clifford              Chapter 19
Adam Houldsworth          Chapters 3 and 14
Adam Sills                Chapter 8
Ade Stringer              Chapters 1, 10, 19 and 69
Adi Lester                Chapters 4, 8, 10, 19, 35, 57, 61, 76, 91 and 105
Adil Mammadov             Chapters 3, 4, 19, 20 and 21
Aditya Korti              Chapter 10
Adriano Repetti           Chapters 8, 10 and 21
AFT                       Chapter 161
AGB                       Chapters 13 and 21
Ahmet Can Aydemir         Chapter 76
AJ.                       Chapter 10
Akshay Anand              Chapters 3 and 102
Alan McBee                Chapters 2 and 3
Aleks Andreev             Chapters 44 and 164
Aleksey L.                Chapter 19
alex                      Chapter 117
Alex Wiese                Chapter 14
Alexander Mandt           Chapters 46, 55, 76 and 100
Alexander Pacha           Chapter 10
Alexey Koptyaev           Chapter 19
Alexey Groshev            Chapters 50 and 62
Aliaksei Futryn           Chapter 123
Alisson                   Chapter 77
Alok Singh                Chapter 1
Alpha                     Chapter 27
Aman Sharma               Chapter 16
Ameya Deshpande           Chapters 100 and 120
Amir Pourmand امیر
                          Chapter 95
پورمند
Anas Tasadduq             Chapter 62
anaximander               Chapters 4, 19 and 21
Andrei                    Chapters 45 and 47
Andrei Epure              Chapter 85
Andrei Rînea              Chapters 8, 10, 57, 60 and 77