Click here to Skip to main content
15,884,388 members
Articles / Programming Languages / C#
Article

V.A.P.O.R.ware - Visual Assisted Programming / Organizational Representation

Rate me:
Please Sign up or sign in to vote.
4.93/5 (22 votes)
18 Nov 2016CPOL10 min read 23K   22   9
Now for something different!

Contents

Introduction

OK, the real project name is FlowSharpCode, but I thought I'd have fun with the title!

First off, this is purely a concept piece.  It's intended to either inspire or cause an eye rolling "what a crazy idea" reaction.  It's crazy, in my opinion, but in a sense it's crazy because in my limited use cases so far, it works.  And because it's so crazy, the majority of this article will not be written, it'll be screenshots of the application in use.  The problem with this approach is that it ends up sort of looking like a PowerPoint presentation, which is hard to avoid!

What Is It?

Image 1

Why?

Image 2

What Is It Not?

Image 3

Hello World Example

Image 4

Let's Build a Simple Web Server!

Start Anywhere, We'll Start with Main

Image 5

Image 6

Image 7

Image 8

Image 9

Image 10

Run It!

Image 11

Create a DLL from Your Code Shapes

Image 12

Now you when you build the "app", you have a separate assembly:

Image 13

Fun With Workflows

Let's take this simple piece of code:

public static void Main()
{
  try
  {
    WebServer ws = new WebServer();
    ws.Start("localhost", new int[] {8001});
    Console.WriteLine("Press a key to exit the server.");
    Console.ReadLine();
  }
  catch(Exception ex)
  {
    Console.WriteLine(ex.Message);
    Console.ReadLine();
  }
}

and make it into a workflow.

Defining a Workflow Packet

Back to pictures...

Image 14

Creating the Workflow - You Don't Write This Code

Image 15

But you do Write These

The first step in the workflow:

Image 16

The second step in the workflow:

Image 17

The third step in the workflow:

Image 18

The last step in the workflow:

Image 19

And You Change the old Code to This:

Image 20

Now, that's crazy, cool, a lot of typing (except copy & paste of shapes, which carries along the code, makes it rather painless) and of course has no way of exiting a workflow early.  Whatever -- it's a playground, not a rocket ship.

And It Runs

With all the annotations, etc.

Image 21

Now, I could bore you with making workflows out of the other methods in the webserver assembly, but I'll leave that as an exercise for the reader, haha.

So far what you've seen is really nothing more than the "trick" of using partial classes to separate methods out into discrete files.  That's right, the code you write in the editor for a selected shape is compiled as a discrete file -- it's actually saved as a temporary file, compiled, and then deleted.  Building an assembly is really nothing more than figuring out which shapes are contained inside the "Assy" shape and compiling those to an assembly rather than an EXE.  We'll use a similar technique for defining workflows, but:

  • This is where you, as the programmer, are first constrained to use a particular coding pattern,
  • and FlowSharpCode actually generates some code for you.

There are a few constraints:

  • The workflow name must be [packetname]workflow.dll
  • The shape text for each workflow step must be the same as the implementing method name -- I use the shape text rather than parsing the C#.  Shiver.
  • The auto-generate always creates an Execute method, which is your entry point to the workflow.

Technically, the purpose of this tool is to not constrain the programmer into a specific coding pattern, and with proper code parsing, type inference, and other tricks, those constraints could potentially be eased at some point.

Make an Assembly for the Workflow

Just like before:

  1. Contain the workflow in an "Assy" shape
  2. Give it a filename (ending with DLL)
  3. Fix up the references

Image 22

 

Getting The Code

First off, the code base is a bit of a mess because I've been prototyping these concepts and you should in no way treat this as a useable tool.  It's a playground, that's it!  Get the code from GitHub here.  The demo files are in:

  • Article\SimpleServer.fsd - the version of the server and app as a single exe
  • Article\SimpleServerAssy.fsd - the version of the server as a separate dll
  • Article\SimpleServerWorkflow.fsd - the version of the server implemented as workflows.
  • Article\SimpleServerWorkflowAsAssembly.fsd - the version where the workflow is also an assembly.

Behind the Scenes

OK, this is where the part gets serious. :)

First off, this playground is built off of my FlowSharp diagramming tool, so the main thing I'm going to show here is the code for building the exe and dll's, which I want to re-iterate again, is prototype "throw it together" code.  Readers may also be interested in that I'm using SharpDevelop's WPF Avalon editor for the C# code, along with Luke Buehler's NRefactory-Completion-Sample for the Intellisense functionality and the ScintillaNET editor for other file types other than C#.  The whole architecture is based on my modular approach, which is discussed in my "The Clifton Method" articles.  Lastly, the docking manager is provided by DockPanelSuite, originally written by WeiFen Luo and now maintained on GitHub by others.

The IDE

Image 23

It's fully dockable, but I don't restore your dock settings on startup (yet!)

Image 24

The Overall Architecture

There's a lot of moving parts because I want a highly modular system for developing applications.  This is a baby step, but I might as well start out with modular, right?

Image 25

There are five core services:

  1. The WPF Avalon Editor Service, courtesy of SharpDevelop
  2. The Scintilla Editor Service
  3. The Docking Form Service
  4. The FlowSharp Canvas Service
  5. The FlowSharp Toolbox Service
  6. The Semantic Processor Service

These are all loaded at runtime.  You can read about how:

(Yeah, I like to see my name splattered all over an article.)

I've provided links elsewhere in this article for the outstanding components that I'm using, the docking manager, Intellisense, WPF Avalon editor, and ScintillaNet.

Code Compilation

So, the core value added piece is really the code compilation.  It's ugly, it's in MenuController2.cs (great place, right?), so don't forget it's prototype code!

The top level method is the toaster.  It does it all:

protected void Compile()
{
  tempToTextBoxMap.Clear();

  List<GraphicElement> compiledAssemblies = new List<GraphicElement>();
  bool ok = CompileAssemblies(compiledAssemblies);

  if (!ok)
  {
    DeleteTempFiles();
    return;
  }

  List<string> refs = new List<string>();
  List<string> sources = new List<string>();
  List<GraphicElement> rootSourceShapes = GetSources();
  rootSourceShapes.ForEach(root => GetReferencedAssemblies(root).Where(refassy => refassy is IAssemblyBox).ForEach(refassy => refs.Add(((IAssemblyBox)refassy).Filename)));

  // Get code for workflow boxes first, as this code will then be included in the rootSourceShape code listing.
  IEnumerable<GraphicElement> workflowShapes = canvasController.Elements.Where(el => el is IWorkflowBox);
  workflowShapes.ForEach(wf =>
  {
    string code = GetWorkflowCode(wf);
    wf.Json["Code"] = code;
  });

  // TODO: Better Linq!
  rootSourceShapes.Where(root => !String.IsNullOrEmpty(GetCode(root))).ForEach(root =>
  {
    CreateCodeFile(root, sources, GetCode(root));
  });

  exeFilename = String.IsNullOrEmpty(filename) ? "temp.exe" : Path.GetFileNameWithoutExtension(filename) + ".exe";
  Compile(exeFilename, sources, refs, true);
  DeleteTempFiles();
}

Basically, we:

  1. Compile all assemblies first
  2. Build the code for the workflows and add them to the source code list
  3. Compile the code
  4. Output errors in a message box (yuck)

One nuance I discovered is that in-memory compilation doesn't give you line numbers.  Maybe I'm doing something wrong.  The workaround is to create temporary files and map those to the shape Text property so I can tell you what shape's code resulted in the error.  Like this:

protected void CreateCodeFile(GraphicElement root, List<string> sources, string code)
{
  string filename = Path.GetFileNameWithoutExtension(Path.GetTempFileName()) + ".cs";
  tempToTextBoxMap[filename] = root.Text;
  File.WriteAllText(filename, GetCode(root));
  sources.Add(filename);
}

We figure out what shapes are assemblies by looking for shapes that implement IAssemblyBox:

protected bool CompileAssemblies(List<GraphicElement> compiledAssemblies)
{
  bool ok = true;

  foreach (GraphicElement elAssy in canvasController.Elements.Where(el => el is IAssemblyBox))
  {
    CompileAssembly(elAssy, compiledAssemblies);
  }

  return ok;
}

The actual compilation is a recursive process intended to ensure that all referenced assemblies are first compiled:

protected string CompileAssembly(GraphicElement elAssy, List<GraphicElement> compiledAssemblies)
{
  string assyFilename = ((IAssemblyBox)elAssy).Filename;

  if (!compiledAssemblies.Contains(elAssy))
  {
    // Add now, so we don't accidentally recurse infinitely.
    compiledAssemblies.Add(elAssy);

    List<GraphicElement> referencedAssemblies = GetReferencedAssemblies(elAssy);
    List<string> refs = new List<string>();

    // Recurse into referenced assemblies that need compiling first.
    foreach (GraphicElement el in referencedAssemblies)
    {
      string refAssy = CompileAssembly(el, compiledAssemblies);
      refs.Add(refAssy);
    }

    List<string> sources = GetSources(elAssy);
    Compile(assyFilename, sources, refs);
  }

  return assyFilename;
}

Referenced assemblies (given a shape we know is an assembly) is determined again by inspecting any connectors, and in this case, where the arrow is.  Don't create connectors pointing the wrong way, or a connector with two arrows, or a connector with no arrows.  Remember to chant the mantra "Prototype! Prototype! Prototype!"

protected List<GraphicElement> GetReferencedAssemblies(GraphicElement elAssy)
{
  List<GraphicElement> refs = new List<GraphicElement>();

  // TODO: Qualify EndConnectedShape as being IAssemblyBox
  elAssy.Connections.Where(c => ((Connector)c.ToElement).EndCap == AvailableLineCap.Arrow).ForEach(c =>
  {
    // Connector endpoint will reference ourselves, so exclude.
    if (((Connector)c.ToElement).EndConnectedShape != elAssy)
    {
      GraphicElement toAssy = ((Connector)c.ToElement).EndConnectedShape;
      refs.Add(toAssy);
    }
  });

  // TODO: Qualify EndConnectedShape as being IAssemblyBox
  elAssy.Connections.Where(c => ((Connector)c.ToElement).StartCap == AvailableLineCap.Arrow).ForEach(c =>
  {
    // Connector endpoint will reference ourselves, so exclude.
    if (((Connector)c.ToElement).StartConnectedShape != elAssy)
    {
      GraphicElement toAssy = ((Connector)c.ToElement).StartConnectedShape;
      refs.Add(toAssy);
    }
  });

  return refs;
}

Root level sources (those that aren't IAssemblyBox or IFileBox) is fun little kludge leveraging the knowledge that even grouped shapes are actually represented as top-level elements in the shape list.

protected bool ContainedIn<T>(GraphicElement child)
{
  return canvasController.Elements.Any(el => el is T && el.DisplayRectangle.Contains(child.DisplayRectangle));
}

protected List<GraphicElement> GetSources()
{
  List<GraphicElement> sourceList = new List<GraphicElement>();

  foreach (GraphicElement srcEl in canvasController.Elements.Where(
  srcEl => !ContainedIn<IAssemblyBox>(srcEl) &&
    !(srcEl is IFileBox)))
  {
    sourceList.Add(srcEl);
  }

  return sourceList;
}

Assembly shapes that "group" other code shapes (they're not really groupboxes) are determined like this, given an assembly box shape (or really any other shape, I use this method for figuring out the code in a workflow "group" as well):

protected List<string> GetSources(GraphicElement elAssy)
{
  List<string> sourceList = new List<string>();

  foreach (GraphicElement srcEl in canvasController.Elements.
    Where(srcEl => elAssy.DisplayRectangle.Contains(srcEl.DisplayRectangle)))
  {
    string filename = Path.GetFileNameWithoutExtension(Path.GetTempFileName()) + ".cs";
    tempToTextBoxMap[filename] = srcEl.Text;
    File.WriteAllText(filename, GetCode(srcEl));
    sourceList.Add(filename);
  }

  return sourceList;
}

And the crowning jewel of all this mess is the compilation of the source code (more mess, more hard-coded stuff, fun, fun fun!):

protected bool Compile(string assyFilename, List<string> sources, List<string> refs, bool generateExecutable = false)
{
  bool ok = false;

  CSharpCodeProvider provider = new CSharpCodeProvider();
  CompilerParameters parameters = new CompilerParameters();

  parameters.IncludeDebugInformation = true;
  parameters.GenerateInMemory = false;
  parameters.GenerateExecutable = generateExecutable;

  parameters.ReferencedAssemblies.Add("System.dll");
  parameters.ReferencedAssemblies.Add("System.Data.dll");
  parameters.ReferencedAssemblies.Add("System.Data.Linq.dll");
  parameters.ReferencedAssemblies.Add("System.Core.dll");
  parameters.ReferencedAssemblies.Add("System.Net.dll");
  parameters.ReferencedAssemblies.Add("System.Net.Http.dll");
  parameters.ReferencedAssemblies.Add("System.Xml.dll");
  parameters.ReferencedAssemblies.Add("System.Xml.Linq.dll");
  parameters.ReferencedAssemblies.Add("Clifton.Core.dll");
  parameters.ReferencedAssemblies.AddRange(refs.ToArray());
  parameters.OutputAssembly = assyFilename;

  if (generateExecutable)
  {
    parameters.MainClass = "App.Program";
  }

  results = provider.CompileAssemblyFromFile(parameters, sources.ToArray());
  ok = !results.Errors.HasErrors;

  if (results.Errors.HasErrors)
  {
    StringBuilder sb = new StringBuilder();

    foreach (CompilerError error in results.Errors)
    {
      try
      {
        sb.AppendLine(String.Format("Error ({0} - {1}): {2}", 
         tempToTextBoxMap[Path.GetFileNameWithoutExtension(error.FileName) + ".cs"], 
         error.Line, 
         error.ErrorText));
      }
      catch
      {
        // other errors, like "process in use", do not have an associated filename, so general catch-all here.
        sb.AppendLine(error.ErrorText);
      }
    }

    MessageBox.Show(sb.ToString(), assyFilename, MessageBoxButtons.OK, MessageBoxIcon.Error);
  }

  return ok;
}

Had enough?  No, of course not.  Let's look at how the workflow code is generated!

Workflow Code Generation

The other core piece is this.  Again ugly, again found in MenuController2.cs.

public string GetWorkflowCode(GraphicElement wf)
{
  StringBuilder sb = new StringBuilder();

  // TODO: Hardcoded for now for POC.
  sb.AppendLine("namespace App");
  sb.AppendLine("{");
  sb.AppendLine("\tpublic partial class " + wf.Text);
  sb.AppendLine("\t{");
  sb.AppendLine("\t\tpublic static void Execute(" + 
    Clifton.Core.ExtensionMethods.ExtensionMethods.LeftOf(wf.Text, "Workflow") + // Geez.
    " packet)");
  sb.AppendLine("\t\t{");
  sb.AppendLine("\t\t\t" + wf.Text + " workflow = new " + wf.Text + "();");

  // Fill in the workflow steps.
  GraphicElement el = FindStartOfWorkflow(wf);

  while (el != null)
  {
    sb.AppendLine("\t\t\tworkflow." + el.Text + "(packet);");
    el = NextElementInWorkflow(el);
  }

  sb.AppendLine("\t\t}");
  sb.AppendLine("\t}");
  sb.AppendLine("}");

  return sb.ToString();
}

Gotta love the hardcoded namespace and case-sensitive "Workflow" name parsing.

We find the start of the workflow by identifying the shape that has only a connector's start point attached to it (something I quite glossed over in the ooh, lookatthat part earlier):

protected GraphicElement FindStartOfWorkflow(GraphicElement wf)
{
  GraphicElement start = null;

  foreach (GraphicElement srcEl in canvasController.Elements.
    Where(srcEl => wf.DisplayRectangle.Contains(srcEl.DisplayRectangle)))
  {
    if (!srcEl.IsConnector && srcEl != wf)
    {
      // Special case for a 1 step workflow. Untested.
      if (srcEl.Connections.Count == 0)
      {
        start = srcEl;
        break;
      }

      // start and end has only one connection.
      if (srcEl.Connections.Count == 1 && ((Connection)srcEl.Connections[0]).ToConnectionPoint.Type == FlowSharpLib.GripType.Start)
      {
        start = srcEl;
        break;
      }
    }
  }

  return start;
}

And then next step in the workflow is identified by figuring out to what shape the connector's end point is attached.  Now, honestly, I don't know know how robust this code is, and I seriously doubt it is very robust.

protected GraphicElement NextElementInWorkflow(GraphicElement el)
{
  GraphicElement ret = null;

  if (el.Connections.Count == 1)
  {
    if (((Connector)((Connection)el.Connections[0]).ToElement).EndConnectedShape != el)
    {
      ret = ((Connector)((Connection)el.Connections[0]).ToElement).EndConnectedShape;
    }
  }
  else if (el.Connections.Count == 2)
  {
    if (((Connector)((Connection)el.Connections[0]).ToElement).StartConnectedShape == el)
    {
      ret = ((Connector)((Connection)el.Connections[0]).ToElement).EndConnectedShape;
    }
    else if (((Connector)((Connection)el.Connections[1]).ToElement).StartConnectedShape == el)
    {
      ret = ((Connector)((Connection)el.Connections[1]).ToElement).EndConnectedShape;
    }
  }

  return ret;
}

OK, hopefully NOW you've had enough!

Want to See Something Even Crazier?

This is an example of hosting a semantic web server. 

Image 26

(larger image)

Try it with Article\st_text.fsd.  Run the "app", then in the browser, give it something to output to the console window with, for example, the URL localhost:8001/ST_Text?text=Hello+World

This is a bit like pulling oneself up by the bootstraps, because, you see, what the above "app" is doing is using the module manager, service manager, semantic pub/sub, etc., to runtime load modules that register themselves as semantic subscribers, and the web server parses the route to instantiate the semantic type, which then is published, and the subscriber outputs the text to the console window.  (It's just a demo of all the cool things that you can do!)  As a proof of concept, this shows that FlowSharpCode could be used to implement itself and very well might be in the future.

As an exercise for the reader, there's a "speak receptor.fsd" component in Article folder.  Create a semantic type (use ST_Text as a template) called ST_Speak, import the speak receptor component, add a route for "st_speak", and run the application with the URL localhost:8001/ST_Speak?text=Hello+World. You'll have to place the ST_Speak class and the speak receptor in the right assemblies (hint, ungroup the assemblies in order to place shapes so they are contained by the correct assembly shapes.)

So What Are Really the Cool Things Here?

Here's my short list:

  • It is so ridiculously simple to create an assembly and reference it
  • I'm having lots of fun simply copying a group of shapes (along with their code) onto another drawing
  • I like the packet workflow approach -- it actually makes code really simple, modular, and thread safe.  Method parameters and return values are fine, but packetized workflows make things really uniform and trivial to add or remove workflow steps.  Probably not to everyone's liking though.
  • It is actually quite fun to work this way.  The Intellisense is a bit limited, but I find that I don't miss it.  The IDE can stand for tons of improvement, but it's useable as is. 
  • I can just imagine the howls of protest if you were to try to introduce this approach in mainstream development houses (granted, with a more advanced version than this code.)  And I get a sort of sadistic pleasure in imagining those howls.
  • The idea of mixing code languages, platforms, back-end, front-end, etc., onto a single surface is quite fun.  I had originally thought of doing a demo of a C# client making REST calls to a Django/Python back-end, and might do that at some point.

What Will I be Doing Next?

  1. Cleaning up the code
  2. Adding multiple document support
  3. Improving usability - one of my top items is collapsing a part of the diagram to an off-page reference, so these diagrams are manageable.

What do I Want From You?

Play!

Play with the examples, try a few simple things yourself.  Just remember the hard-coded constraints the code imposes on you, like the namespace, the Program class name, etc.  There's some quirks with FlowSharp that I discovered that I'll be addressing, but mostly I'm interested in what you think of this crazy approach, what you'd like to see, and whether you think this concept is worth pursuing further (I do, so I suppose it doesn't matter what you think, mwahaha!)  And use the GitHub Issues for any feedback if possible, otherwise post your feedback here in the comments section and I'll do my best to add it to the project's Issues.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect Interacx
United States United States
Blog: https://marcclifton.wordpress.com/
Home Page: http://www.marcclifton.com
Research: http://www.higherorderprogramming.com/
GitHub: https://github.com/cliftonm

All my life I have been passionate about architecture / software design, as this is the cornerstone to a maintainable and extensible application. As such, I have enjoyed exploring some crazy ideas and discovering that they are not so crazy after all. I also love writing about my ideas and seeing the community response. As a consultant, I've enjoyed working in a wide range of industries such as aerospace, boatyard management, remote sensing, emergency services / data management, and casino operations. I've done a variety of pro-bono work non-profit organizations related to nature conservancy, drug recovery and women's health.

Comments and Discussions

 
SuggestionModular Code Editor Pin
Gurigraphics20-Dec-16 14:14
Gurigraphics20-Dec-16 14:14 
QuestionFun Mashup: EC#/LeMP Pin
Qwertie25-Nov-16 17:25
Qwertie25-Nov-16 17:25 
So, while we're on the topic of tools people won't use in production...

For more fun, you could mash it up with LeMP. LeMP is a nice tool for processing source code, and I just finished the algorithms and stuff that preserve comments and newlines from input to output. Here's how you could use it to preprocess some source code.

Step 1. Parse the user's code

using Loyc.Collections;
using Loyc.Syntax;
using Loyc.Ecs;
using Loyc;
var tree = EcsLanguageService.Value.Parse(
           "using System; using static System.Console; // for WriteLine!\n" +
           "WriteLine(Hello()); string Hello() => \"Hello, world!\";").ToArray();

Console.WriteLine(EcsLanguageService.WithPlainCSharpPrinter.Print(tree));

Step 2. Generate class and method to hold the code.


It would be handy if your tool could automatically wrap the output in a class definition, right? And maybe a method definition too...maybe. So let's do that.
// Separate the usings from the executable statements and the other class members (e.g. methods)
VList<LNode> usings = new VList<LNode>(), methodBody = new VList<LNode>(), classMembers = new VList<LNode>();
foreach (var stmt in tree) {
    if (stmt.Calls(CodeSymbols.Import))
        usings.Add(stmt);
    else if (classMembers.Count > 0 || EcsValidators.MethodDefinitionKind(stmt, true) != null || 
                                       EcsValidators.SpaceDefinitionKind(stmt) != null || 
                                       EcsValidators.IsPropertyDefinition(stmt))
        classMembers.Add(stmt);
    else
        methodBody.Add(stmt);
}

// Now generate a method to hold the loose statements (in this case <code>WriteLine</code>)
string className = "MyClass", methodName = "ImplicitMethod";
var F = new LNodeFactory(EmptySourceFile.Default);
if (!methodBody.IsEmpty) {
  var method = F.Fn(F.Void, F.Id(methodName), F.List(), F.Braces(methodBody));
    classMembers.Insert(0, method.PlusTrailingTrivia(F.TriviaNewline));
}

// Now generate a list of <code>using</code> statements followed by a class definition
var result = new VList<LNode>()
    .AddRange(usings)
    .Add(F.Call(CodeSymbols.Class, F.Id(className), F.List(/*no base classes*/), F.Braces(classMembers))
          .PlusAttrs(F.TriviaNewline, F.Id(CodeSymbols.Partial)));

// Print the results
Console.WriteLine(EcsLanguageService.WithPlainCSharpPrinter.Print(result));

The output should be...
using System; using System.Console; //WriteLine! 

partial class MyClass {
    void ImplicitMethod() {
        WriteLine(Hello());
    }
    string Hello() => "Hello, world!";
}

This won't really work well enough though, e.g.
  • variable declarations and fields look identical so there's no way to tell, except by convention (e.g. "m_" or "_" for fields) whether a variable is meant as a local variable or as a field.
  • enum definitions probably should be "lifted" outside the current class
But maybe there's a workable idea in here somewhere.

Step 3. Run LeMP to add new features to C#.

using Loyc.Collections;
using Loyc.Syntax;
using Loyc.Ecs;
using Loyc;
using LeMP;

var tree = new VList<LNode>(
    EcsLanguageService.Value.Parse(@"
        using System(, .Text, .Linq, .Collections.Generic, .Diagnostics.Contracts);
        [ensures(# >= 0)]
        public static double Sqrt([requires(# >= 0)] double num) => Math.Sqrt(num);
    "));

var mp = new MacroProcessor(MessageSink.Console);
mp.AddMacros(typeof(StandardMacros).Assembly);
mp.PreOpenedNamespaces.Add((Symbol)"LeMP");
var results = mp.ProcessSynchronously(new VList<LNode>(tree));
Console.WriteLine(EcsLanguageService.WithPlainCSharpPrinter.Print(results, MessageSink.Console));

Output:
using System;
using System.Text;
using System.Linq;
using System.Collections.Generic;
using System.Diagnostics.Contracts;
public static double Sqrt(double num) { Contract.Assert(num >= 0, "Precondition failed: num >= 0"); {
        var return_value = Math.Sqrt(num);
        Contract.Assert(return_value >= 0, "Postcondition failed: return_value >= 0");
        return return_value;
    } }


modified 26-Nov-16 0:12am.

SuggestionNot so crazy - Semantic Composability Pin
David James Tuke24-Nov-16 16:42
professionalDavid James Tuke24-Nov-16 16:42 
GeneralRe: Not so crazy - Semantic Composability Pin
Marc Clifton25-Nov-16 2:48
mvaMarc Clifton25-Nov-16 2:48 
GeneralMy vote of 5 Pin
Member 1236439021-Nov-16 21:31
Member 1236439021-Nov-16 21:31 
GeneralMy vote of 5 Pin
Slacker00718-Nov-16 22:38
professionalSlacker00718-Nov-16 22:38 
GeneralRe: My vote of 5 Pin
Marc Clifton19-Nov-16 4:01
mvaMarc Clifton19-Nov-16 4:01 
PraiseYou get a 5 from me but... Pin
  Forogar  18-Nov-16 8:44
professional  Forogar  18-Nov-16 8:44 
GeneralRe: You get a 5 from me but... Pin
Marc Clifton19-Nov-16 4:00
mvaMarc Clifton19-Nov-16 4:00 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.