Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

c# switch statement is return suitable to replace break

Is this an appropriate way to handle c# switch statements or is an explicit break required still? reference

  public static string ToRegistryString(AliceKey.AliceKeyPaths aliceKeyPath)     {      switch (aliceKeyPath)         {             case AliceKey.AliceKeyPaths.NET_CLR_DATA:                 return @"\.NET CLR Data\";             case AliceKey.AliceKeyPaths.NET_CLR_NETWORKING:                 return @"\.NET CLR Networking\";             case AliceKey.AliceKeyPaths.NET_DATA_PROVIDER_MSSQL:                 return @"\.NET Data Provider for SqlServer\";             case AliceKey.AliceKeyPaths.NET_DATA_PROVIDER_ORACLE:                 return @"\.NET Data Provider for Oracle\";          }        return new string(new char[0]);      } 
like image 468
Woot4Moo Avatar asked Jul 07 '10 15:07

Woot4Moo


2 Answers

That's fine. The point is that the end of a case block should be unreachable - which it is here, because you've returned.

Why are you returning new string(new char[0]) rather than just "" or string.Empty though? If you're trying to make sure it's a different string each time, you'll actually run into a very weird corner case - despite calling new string(...) that code will always actually return the same reference...

Finally: I would actually suggest changing this switch/case block into just a Dictionary<AliceKey.AliceKeyPaths, string>:

private static readonly Dictionary<AliceKey.AliceKeyPaths, string> RegistryMap =     new Dictionary<AliceKey.AliceKeyPaths, string> {     { AliceKey.AliceKeyPaths.NET_CLR_DATA, @"\.NET CLR Data\" },     { AliceKey.AliceKeyPaths.NET_CLR_NETWORKING, @"\.NET CLR Networking\" },     // etc };  public static string ToRegistryString(AliceKey.AliceKeyPaths aliceKeyPath) {     string value;     return RegistryMap.TryGetValue(aliceKeyPath, out value) ? value : ""; } 
like image 146
Jon Skeet Avatar answered Sep 22 '22 03:09

Jon Skeet


You do not need to specifically use a break statement just one that changes the flow of control, so a goto or a return should work.

See MSDN for more info: http://msdn.microsoft.com/en-us/library/06tc147t(VS.71).aspx

like image 38
Jordan Avatar answered Sep 24 '22 03:09

Jordan