Monday, September 10, 2012

RescueTime

I'm trying out RescueTime to help get a handle on how I am spending all my time.  I was trying to embed a chart below that claims last week I was more productive than 92% of people (so I can send a link to my boss :) ), but I'm not sure what this graph is trying to say:

Chart:

 

Table:

How do you compare to others this week?

  Time Efficiency
You: 47h 8m 83%
Others (average): 28h 55m 57%
Difference: +18h 13m +26%

you're more productive than
92% of people.

RescueTime shows you much more useful data than this, like when you are most efficient and what you waste your time on.

Try it out, it's free!

Tuesday, December 13, 2011

Dell Keyboard Problems (writing a service in VS2010)

It seems that whenever I resume the laptop out of sleep (or undock) for some reason even Google can't explain my keyboard repeat rate and delay slow down.  If I go into Control Panel and check everything is still set the way I like it -- and if I OK out, then everything is fine again?!?!  I can go through this Control Panel process every time, but this sort of annoying crap ruins my day.  I can't find a way to fix it, so Plan B is to write a program to do the process for me automatically.

(Update: see version 2 below for a slightly different fix)

Tame the Keyboard Service
I decided to write a service because: this is a long running program, it needs to start automatically, and I haven't written a service in VS2010 yet.  (It turns out the need to interact with the desktop probably would have made a forms project easier, like something with a tray-icon).

Creating a Service in VS2010
You start the usual way by selecting a service template to make a new project and solution.  I haven't made a service in a while, and I usually do all the setup and install manually so the next step did not seem familiar:  Using the designer, you right-click inside to get a menu with "Add Installer".  This simple service is going to have three parts (but they are easy to create with VS2010): 1. The service, 2. an installer that adds the service to "Services" and 3. a Setup program that will "Install" by deploying and running the installer.

Fig 1. Add Installer
image

Note: before you go too far, change the names of everything (classes, titles, other text) to something better that Service1 for example.  It will be harder to change later.   In the Designer, you can also modify the service properties, e.g., CanHandlePowerEvents=True, ServiceName="TameKeyboardService".

A service process can have more than one service so you end up with two new components (see Fig 2). Again, using the Designer, select each to set the desired properties.  For me, this Process needs to use LocalSystem account, and the Service needs StartType=Automatic, for example.  This is also where you set the DisplayName and Description that will show up in Services.

Fig 2. Configure Installer
image

Writing the Service
The VS2010 template gives you OnStart() and OnStop() overrides.  In OnStart, I'm going to get the current repeat and delay rate.  To do this I need to P/Invoke a Win32 function (not strictly true, there is a managed function, but it is read-only).

''' <summary>The SystemParametersInfo API call can be used to get and set Windows settings that are
''' normally set from the Desktop by using the Control Panel
''' </summary>
''' <param name="uAction">system parameter to query or set</param>
''' <param name="uparam">depends on system parameter</param>
''' <param name="lpvParam">depends on system parameter</param>
''' <param name="fuWinIni">WIN.INI update flag</param>
''' <returns></returns>
''' <remarks></remarks>
<
DllImport("user32", CharSet:=CharSet.Auto)> _
Shared Function SystemParametersInfo(
          
ByVal uAction As Integer,
          
ByVal uparam As Integer,
          
ByRef lpvParam As Integer,
          
ByVal fuWinIni As Integer) As Integer
End Function

Get like this:

Protected Overrides Sub OnStart(ByVal args() As String)
    SystemParametersInfo(SPI_GETKEYBOARDDELAY, 0, Me.repeatDelay, 0)
    SystemParametersInfo(SPI_GETKEYBOARDSPEED, 0,
Me.repeatRate, 0)
End Sub

ServiceBase also provides OnPowerEvent() to override:

Protected Overrides Function OnPowerEvent(powerStatus As System.ServiceProcess.PowerBroadcastStatus) As Boolean
   
If powerStatus = ServiceProcess.PowerBroadcastStatus.PowerStatusChange OrElse
       powerStatus = ServiceProcess.
PowerBroadcastStatus.ResumeSuspend Then
       ApplyKeyboardSettings()
   
End If
   
Return MyBase.OnPowerEvent(powerStatus)
End Function

(Another option, here or in WinForms, is to use AddHandler Microsoft.Win32.SystemEvents.PowerModeChanged, AddressOf PowerEventHandler -- This works for coming out of suspend, not sure about undock, though.)

When the laptop comes out of suspend, or undocked (or unplugged, plugged , etc -- maybe too many things when on power but I don't know how to just filter this to docking and sleep events) I re-apply the desired settings:

Private Sub ApplyKeyboardSettings()
    SystemParametersInfo(SPI_SETKEYBOARDDELAY,
Me.repeatDelay, notUsed, 0)
    SystemParametersInfo(SPI_SETKEYBOARDSPEED,
Me.repeatRate, notUsed, 0)
End Sub

Allow Service to Interact with Desktop
Normally, this would be enough, but it turns out SPI_SET.... doesn't work unless the service can "interact with desktop".  There inexplicably seems to be no way to configure your service to install with this option (!?!?)  You can do it manually:image but that's not good enough is it :)

Googling found two solutions, one using the registry and another using WMI -- the WMI method seemed less of a hack:

   ''' <summary>allow service to interact with desktop
  
''' </summary>
  
''' <remarks>Other alternative appear to be manually, or through registry</remarks>
  
Public Shared Sub DesktopPermissions()
     
Try
        
Dim controller As New ServiceController("TameKeyBoardService")
        
Dim options As New ConnectionOptions
         options.Impersonation =
ImpersonationLevel.Impersonate

        
' CIMV2 is a namespace that contains all of the core OS and hardware classes.
        
' CIM (Common Information Model) which is an industry standard for describing
        
'        data about applications and devices so that administrators and software
        
'        management programs can control applications and devices on different
        
'        platforms in the same way, ensuring interoperability across a network.

        
Dim mgmtScope As New ManagementScope("root\CIMV2", options)
        
Dim wmiService As New ManagementObject("Win32_Service.Name='" & "TameKeyBoardService" & "'")
        
Dim inParam As ManagementBaseObject = wmiService.GetMethodParameters("Change")
         inParam(
"DesktopInteract") = True
        
Dim outParam As ManagementBaseObject = wmiService.InvokeMethod("Change", inParam, Nothing)
         controller.Start()
'-- e.g., if called from ProjectInstaller_AfterInstall()
     
Catch ex As Exception
     
End Try
  
End Sub

This has to be done before the service starts, so I call it right after the service is installed:

Public Class ProjectInstaller
   Private Sub ProjectInstaller_AfterInstall(sender As Object, e As System.Configuration.Install.InstallEventArgs) Handles Me.AfterInstall
     
TameKeyboardService.DesktopPermissions()
  
End Sub
End Class

That pretty much covers the service, next create a setup program to install it....

Setup Project
Add a new project to the solution using the Setup project template. Right-click on the setup project and "Add New Project Output...".  Pick Primary Output and the service project (they are probably already selected), hit OK.  Then, you need a Custom Action to install your service (I'll just paste this from the MSDN walkthrough):

To add a custom action to the setup project

  1. In Solution Explorer, right-click the setup project, point to View, and then click Custom Actions.

    The Custom Actions editor appears.

  2. In the Custom Actions editor, right-click the Custom Actions node and click Add Custom Action.

    The Select Item in Project dialog box appears.

  3. Double-click the Application Folder in the list to open it, select Primary Output from TameKeyboard (Active), and click OK.

    The primary output is added to all four nodes of the custom actions — Install, Commit, Rollback, and Uninstall.

  4. In Solution Explorer, right-click the Setup1 project and click Build.

To install the Windows Service

  1. To install TameKeyboardService.exe, right-click the setup project in Solution Explorer and select Install.

  2. Follow the steps in the Setup Wizard. Build and save your solution.

 

Source Code, Setup.msi
Still looking for the right place for source, exe, msi, and zips; currently you can find this project on my SkyDrive: (the setup msi will expect .Net 4.0, forgot to target it lower)

It has a lot of qualities of a made-for-personal-use quick one-off, but I learned some interesting things getting it to work.

Version 2

The original tried to track your preference and continuously maintain those settings even if Dell changed them.  Sometimes that might not be enough, e.g., if Dell manages to change them before the service starts tracking.  In this case, try this one, it always sets the delay to 0 -- that works for me and anyone else who is happy with no delay.

UPDATE: Keyboard Fix 2

Dell Touchpad Driver Problems

I've had problems with the Dell (M6400) touchpad and keyboard since the beginning, mostly just annoyances but eventually it becomes too much.  Lately, sometimes when I boot up the touchpad driver has lost its ability to "scroll" like a virtual mouse-wheel, a feature I use a LOT.  The control panel brings up the driver settings property pages, but the middle button is gone and the links to set up scrolling and other features don't respond to clicks....  The only recourse has been to uninstall, reboot, reinstall -- sometimes, multiple times until everything is working again.

Symbiosis
The cruel symbiotic relationship I have with this laptop has become clear as I have adapted myself to its numerous tiny problems:  the touchpad problem makes me want to leave it running at all times, the keyboard problem makes me not want to dock and un-dock and the GPU overheat problem makes me not want to dock and use two screens.  As I've adapted to the needs of this computer it has slowly worked me out of a docked two-screen environment, off my desk, out of my office, and into a recliner in another room like a pod in the matrix (sitting still so the power adapter doesn't fall out of the loose connector in the back).

The Red Pill
I replaced the motherboard to fix the adapter connector.  I also replaced the GPU and two fans. I finally gave up on Dell's driver downloads and just went to Synaptics to get their latest driver (Windows XP/Vista and Win7 32-bit Edition v15.2.20).  During a reboot during the install I got a BSOD, but no problems after that.  It comes with gesture recognition software (Scrybe), as well.  So far so good.  Except for the keyboard problem.  Damn.  Next, how I assert my mastery over the machines....

Tuesday, November 15, 2011

debug CodeDom generated code

I wanted to be able to break into generated code.  The following settings create the pdb and the *.vb files needed.

Dim cpd As New VBCodeProvider()
Dim cp As New Compiler.CompilerParameters
cp.ReferencedAssemblies.Add(
"System.dll")
cp.ReferencedAssemblies.Add(
"System.Drawing.dll")
cp.ReferencedAssemblies.Add(
"System.Windows.Forms.dll")
...etc...
cp.GenerateExecutable = False

cp.IncludeDebugInformation = True
cp.CompilerOptions = "/debug:pdbonly"
cp.TempFiles.KeepFiles = True

The last three line made the difference (Tested with vs2005 debugger.)

agile manifesto

It was probably in Dr. Dobb's Journal that I first became aware of the "Agile Manifesto" and I found the ideas very appealing and natural.  However, ten years later, still at step zero with our development team "getting ready to take classes" -- so we'll see how it goes.  At this point, I'm wondering how well Agile has panned out, and is it appropriate for our project.

Agile Manifesto reads, in its entirety, as follows:

We are uncovering better ways of developing software by doing it and helping others do it. Through this work we have come to value:

Individuals and interactions over processes and tools
Working software over comprehensive documentation
Customer collaboration over contract negotiation
Responding to change over following a plan

That is, while there is value in the items on the right, we value the items on the left more.

So how does eschewing processes fit with our CMMI endeavors?
"following a plan" also very ingrained in government contracting....often "comprehensive documentation", as well.

From the Agile software development class ("Agile Programming and Testing"):

Simple Design:  only doing what is required now.  How do you avoid being trapped in a local minimum, evolutionary dead-end, or painted into a corner?  If you are, how do you get out?  Mixed with pair-programming, is there an architect?  How do you get from A to C if A is refactored into X such that A-B-C is no longer viable or X has relaxed constraints that made C possible.

Do tests get retired?  If a test fails, can you remove it?  Too easy/simple to test: Will you have a lot of no-value-added-tests to maintain?

Managing ("Managing Agile software Development")

Since any method would probably work with the perfect team, how perfect of a team is necessary for agile to work?  (Is it only suitable for a small team of experts?)
Is there a threshold below which an imperfect a team is hurt more by agile?

Our project: the PPT links to an XLS that links to a CACI document about suitability.

VS2010: no experts now?

Physical co-location required?

msbuild 4.0 without VS2010

Probably just trivia, but I was trying to run the new msbuild script on a computer with VS2010 or 4.0 SDK (however it did have 4.0 framework installed).

vbc comes back with an error it can't find ResGen.exe and a very verbose hint as to why involving registry settings and ToolPath setting among other things...none of which turn out to be of any help.

It turns out the solution was to set SDK40ToolsPath="existing 2.0 tools path"

e.g.:

C:\Projects\OAMSIMULATOR>C:\WINDOWS\Microsoft.NET\Framework\v4.0.30319\msbuild proj.vbproj /p:SDK40ToolsPath="C:\PROGRA~1\MID05A~1\SDK\v2.0\bin"

Friday, November 11, 2011

Fast and Easy Enum to text

80x faster

I've been thinking about this issue with text associated with enums since way back in 2003, but I never got around to writing and testing any code to make it easier.  Since I also have a gazillion (and counting) enums in DART, I thought I would finally try to do something about it.  There are about four different methods used in our code to convert from an enum to some kind of text to be displayed:

  1. Enum.ToString, when the desired text is a valid VB identifier (simple, but slow)
  2. An associated array of strings indexed by the enum, fast when the enum can be used to index but extra work to make an array of strings and keep it in sync, etc.
  3. A select case type of statement where the enum is tested and a string is returned; again, extra work.
  4. Encoded enum names (e.g., AlertResponseType.INVEST_2F_7CINTEROG) where valid identifiers are created and then the ToString name is converted to readable text.

I had two ideas on how to do this: 1. Create the array (lookup table) automatically and 2. add readable text to the enum value as an attribute.  He is an example:

Private Enum sample4 'verbose
    <Description("Not Declared")> _
    none
    <Description(
"The First of Two")> _
    One
    <Description(
"The Second of Two")> _
    Two
End Enum
or (I added the descriptions for the speedup text)
Public Enum AlertResponseType As Integer 'encoded
    <Description("OK")>             OK = -1
    <Description(
"ABORT|SHUTDWN")>  ABORT_7CSHUTDWN = 0
    <Description(
"ACCEPT")>         ACCEPT
    <Description(
"ACCEPT|CONTROL")> ACCEPT_7CCONTROL
    <Description(
"ACCEPT|ORDER")>   ACCEPT_7CORDER

The EnumText class below will automatically create an array of text associated with the enum values the first time it is used -- and then just use the existing array thereafter.

Speed is not always the most important thing, but I also did some simple loop tests to see how much faster this technique is:

Enum kind Speedup (x faster)
simple 54.2x
sparse 28.0x
flags 17.7x
encoded 82.6x
   

I've tried the lookup using array search versus dictionaries, dictionaries win out if you have long enums so it probably depends on your project.  There are other considerations that can complicate this if you allow things like Enum.ToString for a byte or integer that isn't defined.  (You can google several solutions to this enum issue, for general and specific cases -- I didn't see our encoded identifier, though)

The speedup is pretty impressive (2000 to 9000 percent), although I actually expected EnumText v. IdentifierToString to be in the 1000Xs.

Here's the code:
You use it like this:
EnumText(Of verbose4).ToText(verbose4.Two))
 EnumText(Of AlertResponseType).ToText(AlertResponseType.ACCEPT_7CCONTROL))
 

It basically does a quick assessment of what kind of enum it is and then creates a converter for it.

Public Class EnumText(Of T)

   Shared Sub New()
     
Dim t As Type = GetType(T)
     
If Not t.IsEnum Then
         Throw New ArgumentException("This is only for enums!")
     
End If
      Dim needsLookup As Boolean 'i.e. a dictionary
      Dim names As String() = System.Enum.GetNames(t)
     
Dim valuesT As T() = DirectCast(System.Enum.GetValues(t), T()) 'for byte, etc.
      Dim values(valuesT.Length - 1) As Integer 
      For n As Integer = 0 To names.GetUpperBound(0)
        
Dim name As String = names(n)
        
Dim fi As Reflection.FieldInfo = t.GetField(name)
        
Dim attrs As System.ComponentModel.DescriptionAttribute() = _
           
DirectCast(fi.GetCustomAttributes(GetType(System.ComponentModel.DescriptionAttribute), False), _
            System.ComponentModel.DescriptionAttribute())
        
If attrs.Length > 0 Then
            names(n) = attrs(0).Description
        
End If
         values(n) = System.Convert.ToInt32(valuesT(n))
        
If Not needsLookup _
           
AndAlso values(n) <> n Then
            needsLookup = True
         End If
      Next
      If t.GetCustomAttributes(GetType(FlagsAttribute), False).Length > 0 Then 'is flags
         'also assumes needsLookup
         _converter = New FlagsConverter(names, values)
     
ElseIf needsLookup Then
         _converter = New LookupConverter(names, values)
     
Else
         _converter = New Converter(names)
     
End If
   End Sub

   Private Class Converter '(Of V)
      Protected names As String()
     
Public Sub New(ByVal names As String())
        
Me.names = names
     
End Sub
      Public Overridable Function ToText(ByVal value As Integer) As String
         Return names(value)
     
End Function
   End Class

   Private Class LookupConverter : Inherits Converter
      Private table As New Dictionary(Of Integer, String)
     
Protected values As Integer()
     
Public Sub New(ByVal names As String(), ByVal values As Integer())
        
MyBase.new(names)
        
Me.values = values
        
''overkill: table? what about just iterate through the array?
         ''enum lists are usually short, right?
         For n As Integer = 0 To names.GetUpperBound(0)
            table(values(n)) = names(n)
        
Next
      End Sub
      Public Overrides Function ToText(ByVal value As Integer) As String
         Dim text As String = Nothing
         If table.TryGetValue(value, text) Then
            Return text
        
Else
            Return value.ToString 'fallback
         End If
      End Function
   End Class

   Private Class FlagsConverter : Inherits LookupConverter
     
Public Sub New(ByVal names As String(), ByVal values As Integer())
        
MyBase.new(names, values)
     
End Sub
      Public Overrides Function ToText(ByVal value As Integer) As String
         If value = 0 Then
            Return MyBase.ToText(0)
        
End If
         Dim sb As New System.Text.StringBuilder
        
Dim index As Integer = Me.values.GetUpperBound(0)
        
Do While index > 0
           
If (value And values(index)) = values(index) Then
               value -= values(index)
              
If sb.Length > 0 Then
                  sb.Append(","c)
              
End If
               sb.Append(names(index))
           
End If
            index -= 1
        
Loop
         Return sb.ToString
     
End Function
   End Class

   Private Shared _converter As Converter
  
Public Shared Function ToText(ByVal value As Integer) As String
      Return _converter.ToText(value)
  
End Function

TESTING

   Private Enum simple1 'simple
      none
      One
      Two
  
End Enum
   Private Enum sparse2 'sparse
      none
      One = 1
      Two = 2
      Four = 4
  
End Enum
   <Flags()> _
  
Private Enum flags3 'flags
      none
      One = 1
      Two = 2
      Four = 4
  
End Enum
   Private Enum verbose4 'verbose
      <Description("Not Declared")> _
      none
      <Description(
"The First of Two")> _
      One
      <Description(
"The Second of Two")> _
      Two
  
End Enum
   Public Enum AlertResponseType As Integer 'encoded
      <Description("OK")> OK = -1
      <Description(
"ABORT|SHUTDWN")> ABORT_7CSHUTDWN = 0
      <Description(
"ACCEPT")> ACCEPT
      <Description(
"ACCEPT|CONTROL")> ACCEPT_7CCONTROL
      <Description(
"ACCEPT|ORDER")> ACCEPT_7CORDER
      <Description(
"ACKNOWL|SHUTDWN")> ACKNOWL_7CSHUTDWN
      <Description(
"ASSIGN")> ASSIGN
      <Description(
"BREAK")> BREAK
      <Description(
"BREAK|ENGAGE")> BREAK_7CENGAGE
      <Description(
"CANTCO")> CANTCO
      <Description(
"CDO")> CDO
      <Description(
"CEASE|MISSION")> CEASE_7CMISSION
      <Description(
"CONFIRM|SHUTDOWN")> CONFIRM_7CSHUTDOWN
      <Description(
"COVER")> COVER
      <Description(
"DCORLTE")> DCORLTE
      <Description(
"DEFER")> DEFER
      <Description(
"ENGAGE")> ENGAGE
      <Description(
"HNDOVER|TO")> HNDOVER_7CTO
      <Description(
"IGNORE")> IGNORE
      <Description(
"INTER­|CONSOLE|HNDOVER")> INTER_AD_7CCONSOLE_7CHNDOVER
      <Description(
"INVEST/|INTEROG")> INVEST_2F_7CINTEROG
      <Description(
"KILL")> KILL
      <Description(
"NEVER")> NEVER
      <Description(
"REJECT")> REJECT
      <Description(
"REQ|CONTROL")> REQ_7CCONTROL
      <Description(
"SCRAM")> SCRAM
      <Description(
"SURVIVE")> SURVIVE
      <Description(
"WILCO")> WILCO
      <Description(
"OVERRIDE")> OVERRIDE
  
End Enum


   
Public Shared Sub Test()
   
Dim s3 As flags3 = CType(5, EnumText(Of T).flags3)
    Debug.Print(
"--Samples--")
    Debug.Print(
"simple1.One  =" & EnumText(Of simple1).ToText(simple1.One))
    Debug.Print(
"sparse2.Four  =" & EnumText(Of sparse2).ToText(sparse2.Four))
    Debug.Print(
"flags3.One Or flags3.Four  =" & EnumText(Of flags3).ToText(flags3.One Or flags3.Four)) 'flags
    Debug.Print("verbose4.Two  =" & EnumText(Of verbose4).ToText(verbose4.Two))
    Debug.Print(
"spares(5)  =" & EnumText(Of sparse2).ToText(5)) 'not defined
    Debug.Print("flags(5).ToString  =" & s3.ToString)
    Debug.Print(
"flags3(5).ToText  =" & EnumText(Of flags3).ToText(s3)) 'flag using integer
    Debug.Print("ACCEPT_7CCONTROL  =" & EnumText(Of AlertResponseType).ToText(AlertResponseType.ACCEPT_7CCONTROL))
    Debug.Print(
"--Speedup (simple)--")
   
Dim sw As Stopwatch = Stopwatch.StartNew
   
For i As Integer = 1 To 1000000
      
Dim s As String = simple1.Two.ToString
   
Next
    Dim sw1 As Long = sw.ElapsedTicks
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = EnumText(Of simple1).ToText(simple1.Two)
   
Next
    Dim sw2 As Long = sw.ElapsedTicks
    Debug.Print(
"{0} {1} {2:0.0}", sw1, sw2, sw1 / sw2)
    Debug.Print(
"--Speedup (sparse)--")
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = sample2.Four.ToString
   
Next
    sw1 = sw.ElapsedTicks
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = EnumText(Of sample2).ToText(sample2.Four)
   
Next
    sw2 = sw.ElapsedTicks
    Debug.Print(
"{0} {1} {2:0.0}", sw1, sw2, sw1 / sw2)
    Debug.Print(
"--Speedup (flags)--")
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = s3.ToString
   
Next
    sw1 = sw.ElapsedTicks
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = EnumText(Of sample3).ToText(s3)
   
Next
    sw2 = sw.ElapsedTicks
    Debug.Print(
"{0} {1} {2:0.0}", sw1, sw2, sw1 / sw2)

    Debug.Print(
"--Speedup (encoded)--")
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = IdentifierToString(AlertResponseType.INTER_AD_7CCONSOLE_7CHNDOVER.ToString)
   
Next
    sw1 = sw.ElapsedTicks
    sw.Reset() : sw.Start()
   
For i As Integer = 1 To 1000000
      
Dim s As String = EnumText(Of AlertResponseType).ToText(AlertResponseType.INTER_AD_7CCONSOLE_7CHNDOVER)
   
Next
    sw2 = sw.ElapsedTicks
    Debug.Print(
"{0} {1} {2:0.0}", sw1, sw2, sw1 / sw2)

   End Sub
   Shared Function IdentifierToString(ByVal sIdentifier As String) As String
      'NAME: Devon Terminello
      'DATE: March 2004
      'PURPOSE: This function replaces _[hex digit][hex digit] with the asc character that
      '         corresponds with the 2 hex digits. NOTE: This gives me a way to encode
      '         characters into an identifier, which would not otherwise be visible
      Dim sRet As String = ""
      Dim iIndexId As Integer, iChr As Integer
      If Not sIdentifier Is Nothing Then
         Do While iIndexId < sIdentifier.Length
           
If sIdentifier.Chars(iIndexId) = "_"c Then
               iChr = Integer.Parse(sIdentifier.Substring(iIndexId + 1, 2), Globalization.NumberStyles.HexNumber)
               sRet &= Chr(iChr)
               iIndexId += 3
           
Else
               sRet &= sIdentifier.Chars(iIndexId)
               iIndexId += 1
           
End If
         Loop
      End If
      Return sRet
  
End Function

End
Class

 
It prints out:

--Samples--
simple1.One  =One
sparse2.Four  =Four
flags3.One Or flags3.Four  =Four,One
verbose4.Two  =The Second of Two
spares(5)  =5
flags(5).ToString  =One, Four
flags3(5).ToText  =Four,One  <-- I do my flags backwards compared to MS, but it matches how I assign bits better I think
ACCEPT_7CCONTROL  =ACCEPT|CONTROL

Other things of note:
Negative valued enums, MS uses unsigned sort, so GetNames will have the negative numbered enums at the end.
Since I set and think of flag bits going right to left, that's how I print out my text, too,