C#ScriptingForGrasshopper 1stedition 20200318
C#ScriptingForGrasshopper 1stedition 20200318
                                                                                          1
Table of Contents
Preface                                 5
Chapter One: Grasshopper C# Component   6
  1_1: Introduction                     6
  1_2: C# component interface           6
  1_3: The input parameters             7
  1_4: The output parameters            9
  1_5: The out string                   9
  1_6: Main menu                        9
  1_7: Code editor                      10
    1_7_1: Imports                      11
    1_7_2: Utility functions            12
    1_7_3: Members                      12
    1_7_4: The RunScript                13
    1_7_5: Custom additional code       13
  1_8: Data access                      13
    1_8_1: Item access                  14
    1_8_2: Lists access                 15
    1_8_3: Tree access                  17
Chapter Two: C# Programming Basics      21
  2_1: Introduction                     21
  2_2: Comments                         21
  2_3: Variables                        21
  2_4: Operators                        22
  2_5: Namesapces                       23
  2_6: Data                             24
    2_6_1: Primitive data types         24
    2_6_2: Collections                  24
  2_7: Flow control                     26
    2_7_1: Conditional statements       26
    2_7_2: Loops                        27
  2_8: Methods                          32
    2_8_1: Overview                     32
                                         2
    2_8_2: Method parameters                                      34
  2_9: User-defined data types                                    37
    2_9_1: Enumerations                                           37
    2_9_2: Structures                                             37
    2_9_3: Classes                                                40
    2_9_4: Value vs reference types                               42
    2_9_5: Interface                                              42
  2_10: Read and write text files                                 43
  2_11: Recursive functions                                       45
Chapter Three: RhinoCommon Geometry                               49
  3_1: Overview                                                   49
  3_2: Geometry structures                                        49
    3_2_1 The Point3d structure                                   50
    3_2_2: Points and vectors                                     59
    3_2_3: Lightweight curves                                     61
    3_2_4: Lightweight surfaces                                   63
    3_2_5: Other geometry structures                              64
  3_3: Geometry classes                                           65
    3_3_1: Curves                                                 72
    3_3_2: Surfaces                                               76
    3_3_3: Meshes                                                 78
    3_3_4: Boundary representation (Brep)                         83
    3_3_5: Other geometry classes                                 91
  3_4: Geometry transformations                                   93
Chapter Four: Design Algorithms                                   95
  4_1: Introduction                                               95
  4_2: Geometry algorithms                                        95
    4_2_1: Sine curves and surface                                95
    4_2_2: De Casteljau algorithm to interpolate a Bezier curve   96
    4_2_3: Simple subdivision mesh                                97
  4_3: Generative algorithms                                      99
    4_3_1: Dragon curve                                           99
    4_3_2: Fractal tree                                           101
                                                                    3
4_3_3: Penrose tiling        103
4_3_4: Conway game of live   106
                               4
Preface
This manual is intended for designers who are experienced in Grasshopper visual scripting, and
would like to take their skills to the next level to create their own custom scripts using C#
programming language. This guide does not assume nor require any background in
programming. The document is divided into three parts. The first explains the general interface
and parts of the C# scripting component in Grasshopper. The second reviews the basics of the
C# DotNet programming language. The third part covers the main geometry types and functions
in the RhinoCommon SDK. The guide includes many examples that are also available as a
Grasshopper file available with the download of this guide. Note that all examples are written in
version 6 of Rhino and Grasshopper.
I would like to acknowledge the excellent technical review by Mr. Steve Baer of Robert McNeel
and Associates. I would also like to acknowledge Ms. Sandy McNeel for reviewing the writing
and formatting of this document.
   Rajaa Issa
   Robert McNeel & Associates
Technical Support
Scripting, SDK and other developer help
There is a lot of information and samples in the McNeel Developer site
http://developer.rhino3d.com/
                                                                                                5
Chapter One: Grasshopper C# Component
1_1: Introduction
Grasshopper supports multiple scripting languages such as VB.NET, C# and Python to help
develop custom components using the Rhino and Grasshopper SDKs (software development
kit). Rhino publishes a cross-platform SDK for .NET languages called RhinoCommon. The
documentation of the SDK and other developer resources are available at
http://developer.rhino3d.com/
To add an instance of the C# script component to the canvas, drag and drop the component
from the Script panel under the Maths tab. The default script component has two inputs and
two outputs. The user can change the names of input and output, set the input data type and
data structure and also add more inputs and outputs parameters or remove them. We will
explain how to do all that shortly.
Figure(1): The C# component and its location in the toolbar. x: first input parameter. y: second input parameter. Out:
                    output string with compiling messages. A: Returned output of type object.
When you first drag to canvas, the component shows with the color orange indicating a warning.
This is because there is no code typed inside it to start with. If you click on the bubble at the top-
right corner, you can see what the warning is as shown in figure 2.
                                                                                                                     6
1_3: The input parameters
By default, there are two input parameters named x and y. It is possible to edit the parameters’
names, delete them or add new ones. If you zoom in, you will notice a few “+” and “-” signs
appearing. You can click on those to add or remove parameters. You can also right-mouse click
on a parameter to change its name. Note that the names of the parameters and their types are
passed to the main function inside the script component, which is called RunScript. It is a good
practice to set the input and output parameter names to reflect what each parameter does.
Parameter names should not use white spaces or special characters.
Figure(3): Zoom in to add a remove input parameters by pressing the + and - signs
If you right-mouse click on an input parameter, you will see a menu that has four parts as
detailed in Figure 4 below.
Figure(4): Expand the input parameter menu (access by right-mouse click on the parameter).
                                                                                                       7
      2. General attributes: common to most other GH components.
      3. Data access: to indicate whether the input should be accessed as a single item, a list of
         items or as a tree1.
      4. Type: Input parameters are set by default to be of an object type. It is best to specify a
         type to make the code more readable and efficient. Types can be primitive, such as int
         or double, or RhinoCommon types that are used only in Rhino such as Point3d or
         Curve. You need to set the type for each input.
Just like all other GH components, you can hook data to the input parameters of the script
components. Your script component can process most data types. You can specify the data
type of your input using the Type hint as in the following image.
Figure(5): The type hint in the input allows setting input parameters to specific type
The Type hint, gives access to many types and can be divided into three groups:
1
    We will explain how to traverse and navigate data access options in some detail later in this chapter.
                                                                                                             8
   1- System.Object. if you do not specify the input type, GH assigns the base type
      System.Object. The System.Object is the root type that all other types are built on.
      Therefore it is safe to assign System.Object type to any data type.
   2- Primitive types. Those are made available by the .NET framework.
   3- RhinoCommon types. Those are defined in the RhinoCommon SDK.
Figure(6): Zoom in to add or remove an output parameter by pressing the + and - gadgets
There are two types of messages that print to the out string.
   1- Compile-time messages. These include compiler errors and warnings about your code.
       This is very helpful information to point you to the lines in code that the compiler is
       complaining about, so that you can correct the errors.
   2- Runtime messages. You can print any text to the out string to track information
       generated inside your code during execution.
                                                                                                     9
     Figure(8): Manage assemblies allows adding external libraries to access inside the scripting component
Figure(9): The code editor has 4 parts. (1) toolbar, (2) code, (3) cache, (4) OK
The top and bottom toolbars have multiple buttons. The following explains what each one
means.
                                                                                                              10
                   Runs the code without closing the editor
                   If you need to run some code once before calling your RunScript or afterwards, then there are
                   functions that you can place in your additional code section. This may be used to initialize or
                   reset some variables or settings before and after running your script.
Insert additional overrides that are related to preview. This helps you create a custom preview.
If selected, the editor will shrink when it goes out of focus (you click outside the editor).
                   When clicked, the current content of your script is saved. Even if you make modifications, you
                   can revert to a previous state by clicking “Recover from cache”. There are time stamps of the
                   saved states.
The code part of the scripting component has five sections as in figure 10. Next, we will expand
and explain each of the parts.
   Figure(10): The 5 parts of the code section of the C# scripting component: (1) imports, (2) utility functions, (3)
                      Members, (4) the RunScript function, and (5) custom additional code.
1_7_1: Imports
There are assemblies that you can access and use in your code. Most of them are the .Net
system ones, but there are also the Rhino and Grasshopper assemblies that give access to the
Rhino geometry classes and the Grasshopper types and functions.
                                                                                                                        11
                          Figure(11): Default imports in the C# scripting component
You can also add your custom libraries (using the Manage Assemblies). Externally referenced
libraries appear at the bottom of the import list.
This section defines a few useful utilities that you can use inside your code mostly to debug or
communicate useful information. You can use the Print() functions to send strings to the out
output parameter. You can use the Reflect() functions to gain information regarding classes and
their methods. For example, if you wish to get more information about the data that is available
through the input parameter x, you can add Reflect(x) to your code. As a result, a string with
type method information will be written to the out parameter.
Figure(12): Utility functions the come by default with the C# scripting component
1_7_3: Members
Members are useful variables that can be utilized in your code. All are read only access, which
means that you cannot change in your code. Members include a one and only instance to the
active Rhino document, an instance to the Grasshopper document, the current GH scripting
component and finally the iteration variable, which references the number of times the script
component is called (usually based on the input and data access). For example, when your
input parameters are single items, then the script component runs only once, but if you input a
list of values, say 10 of them, then the component is executed 10 times (that is assuming that
the data access is set to a single item). You can use the Iteration variable if you would like
your code to do different things at different iterations, or to simply analyze how many times the
component is called.
                                                                                                   12
Figure(13): Member region includes read-only variables that point to the document and the component. Also includes
                                     an integer variable for the iteration count.
This is the main function where you write your code. The signature of the RunScript includes
the input and output parameters along with their data types and names. There is white space
between the open and closed parentheses to indicate the region where you can type your code.
Figure(14): The RunScript is the main function within which the user can put their code.
You can place all additional functions and variables in the <Custom additional code> area just
below the RunScript. Your main code inside the RunScript can reference the additional
members and functions placed in this portion of the code.
Figure(15): There is a designated region to put the additional custom code outside the RunScript function.
Item Access
List Access
Tree Access
                                                                                                                  13
You need to right-mouse-click on the input parameter to set its data access, otherwise it is set to
item access by default. We will explain what each access means, and how data is processed
inside the component in each case.
Figure(22): Set the input parameter to be an item access to indicate that input in processed one element at a time
Item access means that the input is processed one item at a time. Suppose you have a list of
numbers that you need to test if they are odd or even. To simplify your code, you can choose to
only process one number at a time. In this case, item access is appropriate to use. So even if
the input to num is a list of integers, the scripting component will process one integer at a time
and run the script a number of times equal to the length of the list.
                                                                                                                 14
 private void RunScript(int num, ref object IsEven)
 {
With item access, each element in a list is processed independently from the rest of the
elements. For example if you have a list of 6 numbers {1, 2, 3, 4, 5, 6} that you like to increment
each one of them by some number, let’s say 10, to get the list {11, 12, 13, 14, 15, 16}, then you
can set the data access to item access. The script will run 6 times, once for each element in
the list and the output will be a list of 6 numbers. Notice in the following implementation in GH, x
is input as a single item of type double.
     A = x + 10;
     Print("Run# " + Iteration);
List access means that the whole list is processed all in one call to the scripting component. In
the previous example, we can change the data access from item access to list access and
change the script to add 10 to each one of the items in the list as in the following. Note that the
script runs only once.
                                                                                                 15
 private void RunScript( List<double> xList, ref object A)
 {
The list access is most useful when you need to process the whole list in order to find the
result. For example, to calculate the sum of a list of input numbers, you need to access the
whole list. Remember to set the data access to list access.
     double xSum = 0;
     foreach( var x in xList)
       xSum = xSum + x;
     Print("Run# " + Iteration);
     Sum = xSum;
                                                                                               16
1_8_3: Tree access
Tree data access in Grasshopper is an advanced topic. You might not need to deal with trees,
but if you encounter them in your code, then this section will help you understand how they work
and how to do some basic operations with them.
Trees (or multi-dimensional data) can be processed one element at a time or one branch (path)
at a time or all branches at the same time. That will depend on how you set the data access
(item, list or tree). For example, if you divide two curves into two segments each, then we get a
tree structure that has two branches (or paths), each with three points. Now suppose you want
to write a script to place a sphere around each point. The code will be different based on how
you set the data access. If you make it item access, then the script will run 6 times (once for
each point), but the tree data structure will be maintained in the output with two branches and
three spheres in each branch. Your code will be simple because it deals with one point at a
time.
The same result can be achieved with the list access, but this time your code will have to
process each branch as a list. The script runs 2 times, once for each branch.
                                                                                               17
 private void RunScript( List<Point3d> ptList, ref object Spheres)
 {
The tree access allows you to process the whole tree and your code will run only once. While
this might be necessary in some cases, it also complicates your code.
                                                                                           18
         {
             Sphere sphere = new Sphere(pt, 0.5);
             sphereList.Add(sphere);
         }
         sphereTree.AddRange(sphereList, path);
        }
        Print("Run# " + Iteration);
        Spheres = sphereTree;
The tree data structure is a special data type that is unique to Grasshopper2. If you need to
generate a tree inside your script, then the following shows how to do just that.
The following example shows how to step through a given data tree of numbers to calculate the
overall sum.
2
  For more details about Grasshopper data structures, please refer to the “Essential Algorithms and Data
structures for Grasshopper”. Free download is available here:
https://www.rhino3d.com/download/rhino/6.0/essential-algorithms
                                                                                                      19
private void RunScript( DataTree<double> x, ref object Sum)
{
    double xSum = 0;
    foreach (List<double> branch in x.Branches){
      foreach (double num in branch) {
        xSum = xSum + num;
      }
    }
    Sum = xSum;
                                                              20
Chapter Two: C# Programming Basics
2_1: Introduction
This chapter covers basic C# programming concepts. It serves as an introduction and quick
reference to the language syntax. It is not meant to be complete by any measure, so please
refer to the C# resources available online and in print3. All examples in this chapter are
implemented using the Grasshopper C# component.
2_2: Comments
Comments are very useful to describe your code in plain language. They are useful as a
reminder for you, and also for others to help them understand your code. To add a comment,
you can use two forward slashes // to signal that the rest of the line is a comment and the
compiler should ignore it. In the Grasshopper C# code editor, comments are displayed in
green. You should enclose a multi-line comment between /* and */ as in the following example.
    // The compiler ignores this line
    /*
      The compiler ignores all lines enclosed
      within this area
    */
2_3: Variables
You can think of variables as labeled containers in your computer’s memory where you can
store and retrieve data. Your script can define any number of variables and label them with the
names of your choice, as long as you do not use spaces, special characters, or reserved words
by the programming language. Try to always variable names that are descriptive of the data you
intend to store. This will make it easier for you to remember what kind of information is stored in
each variable.
Your script uses variable names to access the value stored in them. In general, you can assign
new values to any variable at any point in your program, but each new value wipes out the old
3
    The Microsoft documentation is a good resource: https://docs.microsoft.com/en-
us/dotnet/csharp/programming-guide/
                                                                                                21
one. When you come to retrieve the value of your variable, you will only get the last one stored.
For example, let’s define a variable and name it x. Suppose we want x to be of type integer.
Also,suppose we would like to assign it an initial value of 10. This is how you write a statement
in C# to declare and assign an integer:
int x = 10;
    int              The type of your data. int is a special keyword in C# that means the type of the variable is a signed
                     integer (can be a positive or negative whole number)
= Used for assignment, and it means that the value that follows will be stored in the variable x.
In general, when you declare a variable, you need to explicitly specify the data type.
2_4: Operators
Operators are used to perform arithmetic, logical and other operations. Operators make the
code more readable because you can write expressions in a format similar to that in
mathematics. So instead of having to use functions and write C=Add(A, B), we can write
C=A+B, which is easier to read. The following is a table of the common operators provided by
the C# programming language for quick reference:
                                -             Returns the difference between two numeric expressions or the negative value
                                              of a numeric expression
4
 For more details about C# statements refer to the Microsoft documentation:
https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/statements-expressions-
operators/statements
                                                                                                                             22
  Assignment          =          Assigns a value to a variable
  Operators
                      *=         Multiplies the value of a variable by the value of an expression and assigns the
                                 result to the variable.
                      +=         Adds the value of a numeric expression to the value of a numeric variable and
                                 assigns the result to the variable. Can also be used to concatenate a String
                                 expression to a String variable and assign the result to the variable.
                      -=         Subtracts the value of an expression from the value of a variable and assigns
                                 the result to the variable.
== Equal
!= Not equal
2_5: Namesapces
Namespaces are very useful to group and organize classes especially for large projects. The
.NET uses namespaces to organize its classes. For example System namespace has many
classes under it including the Math class, so if you like to calculate the square root of a number,
your code will look like the following:
Notice how you use the namespace followed by “.” to access the classes within that
namespace. If you do not want to type the namespace each time you need to access one of the
classes within that namespace, then you can use the using keyword as in the following.
using System;
                                                                                                               23
 double num = 16;
 double sqrNum = Math.Sqrt(num);
2_6: Data
Data types refer to the kind of data stored in the variable. There are two main data types. The
first is supplied by the programming language and involves things like numbers, logical true or
false, and characters. Those are generally referred to as primitive or built-in types. Variables of
any data type can be composed into groups or collections.
Primitive types refer to the basic and built-in types provided by the programming language.
Following examples declare variables of primitive data types:
  bool pass = true;                bool: set to either true or false. Used mainly to represent the truth value of a
                                   variable or a logical statement.
  object someData = “Mary”;        object type can be used to store data of any type. The use of object type is
                                   inefficient and should be avoided if at all possible.
2_6_2: Collections
In many cases, you will need to create and manage a group of objects. There are generally two
ways to group objects: either by organizing them in arrays or using a collection. Collections are
more versatile and flexible, and they allow you to expand or shrink the group dynamically. There
are many ways to create collections, but we will focus on ordered ones that contain elements of
the same data type. For more information, you can reference the literature.
Arrays
Arrays are a common way to assemble an ordered group of data. Arrays are best suited if you
already know the values you are storing, and do not need to expand or shrink the group
dynamically.
                                                                                                                 24
                             Figure(17): How arrays are stored in the computer memory
For example, you can organize the days of the week using an array. The following declares and
initializes the weekdays array in one step.
You can also declare the array first with a specific dimension representing the number of
elements to allocate in memory for the array, then assign the values of the elements in separate
statements. In C# language, each statement ends with a semicolon.
 //Declare the days of the week in one statement, then assign the values later
 string[ ] weekdays = new string[7];
 weekdays[0] = "Sunday";
 weekdays[1] = "Monday";
 weekdays[2] = "Tuesday";
 weekdays[3] = "Wednesday";
 weekdays[4] = "Thursday";
 weekdays[5] = "Friday";
 weekdays[6] = "Saturday";
Let’s take the statement that sets the first value in the weekdays array in the above.
weekdays[0] = “Sunday”;
Sunday is called an array element. The number between brackets is called the index of the
element in the array. Notice that in C# language the array always starts with index=0 that points
to the first element. The last index of an array of seven elements therefore equals 6. If you try to
retrieve data from an invalid index, for example 7 in the weekday example above, then you will
get what is called an out of bound error because you are basically trying to access a part of
the memory that you did not allocate for your array and it can lead to a crash.
Lists
If you need to create an ordered collection of data dynamically, then use a List. You will need to
use the new keyword and specify the data type of the list. The following example declares a
new list of integers and appends elements incrementally in subsequent statements. Note that
the indices of a list are also zero based just like arrays.
                                                                                                  25
 //Declare a dynamic ordered collection using “List”
 List<string> myWorkDays = new List<string>();
You need to use the keyword new to declare an instance of a List.. We will explain what it
means to be a reference type with some more details later.
Conditional statements allow you to decide on which part of your code to use based on some
condition that can change during run time. Unlike regular programming instructions, conditional
statements can be described as decision-making logic. Conditional statements help control and
regulate the flow of the program.
Figure(17): Conditional statements 1 and 2, and how they affect the flow of the program.
The following script examines a number variable and prints “zero” if it equals zero:
 if (myNumber == 0)
 {
     Print("myNumber is zero");
 }
Description
                                                                                                          26
 {                                      The if statement block enclosed between curly brackets. The block is
     Print("myNumber is zero");         executed only if the condition evaluates to true, otherwise it is skipped.
 }
Sometimes the script needs to execute one block when some condition is satisfied, and another
if not. Here is an example that prints the word positive when the given number is greater than
zero, and prints less than 1 if not. It uses the if… else statement.
 if (myNumber > 0)
 {
     Print("positive");
 }
 else
 {
     Print( "less than 1" );
 }
You can use as many conditions as you need as shown in the following example.
 if (myNumber > 0)
 {
     Print("myNumber is positive");
 }
 else if (myNumber < 0)
 {
     Print( "myNumber is negative" );
 }
 else
 {
     Print( "myNumber is zero" );
 }
2_7_2: Loops
Loops allows you to run the body of your loop a fixed number of times, or until the loop condition
is no longer true.
                                                                                                                     27
                              Figure(18): Loops in the context of the overall flow of the program
There are two kinds of loops. The first is iterative where you can repeat code a defined number
of times, and the second is conditional where you repeat until some condition is no longer
satisfied.
Description
 for (int i = 1; i <= 10; i++)          The for statement. It has 4 parts:
                                        for(... ; … ; ...): the for keyword and loop condition and counter
                                        i=1: the counter initial value
                                        i<=10: the condition: if evaluates to true, then execute the body of the for loop
                                        i++: increment the counter (by 1 in this case)
 {                                      The body of the for loop. This is the code that is executed as long as the
  //Convert a number to string          condition is met.
  Print( i.ToString() );                Note that if the condition of the for loop is always true, then the program will
 }                                      enter what is called an “infinite loop” that leads to a crash. For example if the
                                        condition was “i>0” instead of “i<=10” then it will cause an infinite loop.
The loop counter does not have to be increasing, or change by 1. The following example prints
the even numbers between 10 and -10. You start with a counter value equal to 10, and then
change by -2 thereafter until the counter becomes smaller than -10.
                                                                                                                            28
If you happen to have an array that you need to iterate through, then you can set your counter
to loop through the indices of your array. Just remember that the indices of arrays are zero
based and therefore you need to remember to loop from index=0 to the length of the array
minus 1, or else you will get an out-of-bound error.
 //List of places
 List< string > placesList = new List< string >();
 placesList.Add( "Paris" );
 placesList.Add( "NY" );
 placesList.Add( "Beijing" );
 //List of places
 List< string > placesList = new List< string >();
 placesList.Add( "Paris" );
 placesList.Add( "NY" );
 placesList.Add( "Beijing" );
 //Loop
 foreach (string place in placesList)
 {
    Print(place);
 }
                                                                                               29
    int sum = 0;
    for (int i = 1; i <= 10; i++)
    {
       sum = sum + ( i*2 );
    }
    Print( sum.ToString() );
On the other hand, if you need to add consecutive positive even integers starting with 2 until the
sum exceeds 1000, then you cannot simply use an iterative for loop because you do not know
how many times you will have to loop. You only have a condition to stop looping. Here is how
you might solve this problem using the conditional while loop:
    int sum = 0;
    int counter = 0;
    int number = 2;
    //Loop
    while (sum < 1000)
    {
       sum = sum + number;
       //Make sure you increment the counter and the number
       counter = counter + 1;
       number = number + 2;
    }
Here is another example from mathematics where you can solve the Collatz conjecture. It
basically says that you can start with any natural positive integer, and if even then divide by 2,
but if odd, then multiply by 3 and add 1. If you repeat the process long enough, then you always
converge to 15. The following example prints all the numbers in a Collatz conjecture for a given
number:
    int x = 46;
    while(x > 1)
    {
      Print( x.ToString() );
      if( x % 2 == 0 )
        x = x / 2;
      else
        x = x * 3 + 1;
    }
    Print( x.ToString() );
5
    For details about the Collatz conjecture, check http://en.wikipedia.org/wiki/Collatz_conjecture
                                                                                                      30
Nested loops
A nested loop is a loop that contains another loop inside it. You can nest as many loops as you
need, but keep in mind that this can make the logic harder to follow.
For example, suppose you have the following list of words as input: {apple, orange, banana,
strawberry} and you need to calculate the number of letters a. You will have to do the following:
    1- Loop through each one of the fruits. This is the outer loop.
    2- For each fruit, loop through all the letters. This is the inner, or the nested, loop.
    3- Whenever you find the letter “a” increment your counter by 1.
    4- Print the counter.
                                                                                                   31
    //Declare and initialize the fruits
    string[ ] fruits = {“apple”, “orange”, “banana”, “strawberry”};
            //No need to check the rest of the list, exit the loop
            break;
        }
    }
    //Check how many fruits has at least one letter ‘r’ in the name
    int count = 0;
    //Loop through the fruits
    foreach (string fruit in fruits)
    {
       //loop through the letters in each fruit
       foreach (char letter in fruit)
       {
          //Check if the letter is ‘r"
          if (letter == ‘r’)  {
             count = count + 1;
                //No need to check the rest of the letters, and skip to the next fruit
                continue;
            }
        }
    }
    Print( "Number of fruits that has at least one letter r is: " + count );
2_8: Methods
2_8_1: Overview
A method6 is a self-contained entity that performs a specific task. The program can call it any
number of times. Functions are basically used to organize your program into sub-tasks. The
following is an example of the flow of a program that uses two distinct tasks repeatedly, but
does not implement as a separate function, and hence has to retype at each encounter.
6
  The term “method” refers to functions associated with classes, but this guide may use them
interchangeably.
                                                                                                  32
                      Figure(20): Sequential flow of the script where tasks are repeated
Most programming languages allow you to organize your tasks into separate modules or what is
called functions or methods. You can think of Grasshopper components each as a function. This
allows you to write the instructions of each task once and give it an identifying name. Once you
do that, anytime you need to perform the task in your program, you simply call the name of that
task. Your program flow will look like the following:
Figure(21): Methods can be called and executed as many times as the script requires
Whenever you need to perform the same task multiple times in different places in your code,
you should consider isolating it in a separate function. Here are some of the benefits you will get
from using functions:
    1- Break your program into manageable pieces. It is much easier to understand, develop,
       test and maintain smaller chunks of code, than one big chunk.
    2- Write and test the code once, and reuse instead of writing it again. Also update in one
       place if a modification is required at any time.
Writing functions might not always be easy and it needs some planning. There are four general
steps that you need to satisfy when writing a function:
    1- Define the purpose of your function and give it a descriptive name.
    2- Identify the data that comes into the function when it is called.
    3- Identify the data that the function needs to hand back or return.
    4- Consider what you need to include inside the function to perform your task.
For example, suppose you would like to develop a function that checks whether a given natural
number is a prime number or not. Here are the four things you need to do:
   1- Purpose & name: Check if a given number is prime. Find a descriptive name for your
       function, for example “IsPrimeNumber”.
   2- Input parameters: Pass your number as type integer.
   3- Return: True if the number is prime, otherwise return false.
   4- Implementation: Use a loop of integers between 2 and half the number. If the number is
       not divisible by any of those integers, then it must be a prime number. Note that there
       might be other more efficient ways to test for a prime number that can expedite the
       execution.
                                                                                                   33
 bool IsPrimeNumber( int x)
 {
   bool primeFlag = true;
Let us dissect the different parts of the IsPrimeNumber function to understand the different
parts.
     bool IsPrimeNumber(…)                      The name of the function proceeded by the return type. The function body is
     {                                          enclosed inside the curly parenthesis.
       …
     }
        bool primeFlag = true;                  This is called the body of the function. It includes a list of instructions to
                                                examine whether the given number is prime or not, and append all divisible
        for( int i = 2; i < (x / 2); i++)       numbers.
        {
          if( x % i == 0)
          {
            primeFlag = false;
            break; //exit the loop
          }
        }
     return primeFlag;                          Return value. Use return keyword to indicate the value the function hands
                                                back.
Input parameters are enclosed within parentheses after the method name. The parameters are
a list of variables and their types. They represent the data the function receives from the code
that calls it. Each parameter is passed either by value or by reference. Keep in mind that
variables themselves can be a value-type such as primitive data (int, double, etc.), or reference-
types such as lists and user-defined classes. The following table explains what it means to pass
value or reference types by value or by reference.
Parameters Description
 Pass by value a value-type                 The caller passes a copy of the actual value of the parameter. Changes to the
 data such as int, double, bool             value of a variable inside the function will not affect the original variable passed
                                            from the calling part of the code.
                                                                                                                                   34
 Pass by reference a value-         Indicates that the address of the original variable is passed and any changes
 type data                          made to the value of that variable inside the function will be seen by the caller.
 Pass by value a reference-         Reference Type data holds the address of the data in the memory. Passing a
 type data such as lists, arrays,   Reference Type data by value simply copy the address, so changes inside the
 object, and all classes            function will change original data. If the caller cares that ita data is not affected by
                                    the function, it should duplicate the data before passing it to any function.
 Pass by reference a                Indicates that the original reference of the variable is passed. Again, any
 reference-type data                changes made to the variable inside the function are also seen by the caller.
As you can see from the table, whether the parameter is passed as a copy (by value) or as a
reference (by reference), is mostly relevant to value-type variables such as int, double, bool,
etc. If you need to pass a reference-type such as objects and lists, and you do not wish the
function to change your original data (act as though the variable is passed by value), then you
need to duplicate your data before passing it. All input values to the GH RunScript function (the
main function in the scripting component) are duplicated before being used inside the
component so that input data is not affected.
Let’s expand the IsPrimeNumber function to return all the numbers that the input is divisible by.
We can pass a list of numbers to be set inside the function (List is a reference type). Notice it
will not matter if you pass the list with the ref keyword or not. In both cases, the caller changes
the original data inside the function.
 private void RunScript(int num, ref object IsPrime, ref object Factors)
 {
 }
 //Note: “List” is a reference type and hence you can pass it by value (without “ref” keyword)
 //        and the caller still get any changes the function makes to the list
 bool IsPrimeNumber( int num, ref List<int> factors )
 {
    //all numbers are divisible by 1
    factors.Add(1);
    bool primeFlag = true;
    for( int i = 2; i < (num / 2); i++)
    {
      if( num % i == 0)
      {
        primeFlag = false;
        factors.Add( i); //append number
      }
    }
    //all numbers are divisible by the number itself
    factors.Add(num);
     return primeFlag;
 }
Passing parameters by reference using keyword ref is very useful when you need to get more
than one value-type back from your function. Since functions are allowed to return only one
                                                                                                                         35
value, programmers typically pass more parameters by reference as a way to return more
values. Here is an example of a division function that returns success if the calculation is
successful, but also returns the result of the division using the rc parameter that is passed by-
reference.
As we explained before, the RunScript is the main function that is available is the C# and other
script components. This is where the user main code lives. Notice that the scripting component
output is passed by reference. This is what you see when you open a default C# script
component in Grasshopper.
  RunScript(…)                   Parentheses after the function name enclose the input parameters. This is the list of
                                 variables passed to the function.
  object x                       x is the first input parameter. It is passed by value and its type is object. That means
                                 changes to “x” inside the RunScript does not change the original value.
object y y is the second input parameter. It is passed ByVal and its type is Object.
  ref object A                   A is the third input parameter. It is passed by reference and its type is object. It is
                                 also an output because you can assign it a value inside your script and the change
                                 will be carried outside the RunScript function.
//Custom additional code Comment indicating where you should place your additional functions, if needed.
                                                                                                                       36
2_9: User-defined data types
We mentioned above that there are built-in data types and come with and are supported by the
programming language such as int, double, string and object. However, users can create their
own custom types with custom functionality that suits the application. There are a few ways to
create custom data types. We will explain the most common ones: enumerations, structures and
classes.
2_9_1: Enumerations
Enumerations help make the code more readable. An enumeration “provides an efficient way to
define a set of named integral constants that may be assigned to a variable”7. You can use
enumerations to group a family of options under one category and use descriptive names. For
example, there are only three values in a traffic light signal.
     enum Traffic
     {
       Red = 1,
       Yellow = 2,
       Green = 3
     }
     Traffic signal = Traffic.Yellow;
     if( signal == Traffic.Red)
         Print("STOP");
     else if(signal == Traffic.Yellow)
         Print("YIELD");
     else if(signal == Traffic.Green)
         Print("GO");
     else
         Print("This is not a traffic signal color!");
2_9_2: Structures
A structure is used to define a new value-type. In C# programming , we use the keyword struct
to define new structure. The following is an example of a simple structure that defines a number
of variables (fields) to create a custom type of a colored 3D point. We use private access to the
fields, and use properties to get and set the fields.
    struct ColorPoint{
       //fields for the point XYZ location and color
       private double _x;
       private double _y;
       private double _z;
       private System.Drawing.Color _c;
       //properties to get and set the location and color
       public double X { get { return _x; } set { _x = value; } }
       public double Y { get { return _y; } set { _y = value; } }
       public double Z { get { return _z; } set { _z = value; } }
       public System.Drawing.Color C { get { return _c; } set { _c = value; } }
    }
7
    https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/enumeration-types
                                                                                              37
As an example, you might have two instances of the ColorPoint type, and you need to compare
their location and color. Notice that when you instantiate a new instance of ColorPoint object,
the object uses a default constructor that sets all fields to “0”:
   //compare location
   MatchLoc = false;
   if(cp0.X == cp1.X && cp0.Y == cp1.Y && cp0.Z == cp1.Z)
     MatchLoc = true;
   //compare color
   MatchColor = cp0.C.Equals(cp1.C);
This is the output you get when implementing the above struct and function in a C# component:
Structs typically define one or more constructors to allow setting the fields. Here is how we
expand the example above to include a constructor.
 struct ColorPoint{
    //fields
    private double _x;
    private double _y;
    private double _z;
    private System.Drawing.Color _c;
                                                                                                            38
     //constructor
     public ColorPoint(double x, double y, double z, System.Drawing.Color c)
     {
       _x = x;
       _y = y;
       _z = z;
       _c = c;
     }
     //properties
     public double X { get { return _x; } set { _x = value; } }
     public double Y { get { return _y; } set { _y = value; } }
     public double Z { get { return _z; } set { _z = value; } }
     public System.Drawing.Color C { get { return _c; } set { _c = value; } }
 }
You can use properties to only set or get data. For example you can write a property that get the
color saturation:
     //property
     public double Saturation { get { return _c.GetSaturation(); } }
     //method
     public double Saturation() { return _c.GetSaturation(); }
However, methods typically include more complex functionality, multiple input or possible
exceptions. There are no fixed rules about when to use either, but it is generally acceptable that
properties involve data, while methods involve actions. We can write a method to calculate the
average location and color of two input ColorPoints.
     //method
     public static Average (ColorPoint a, ColorPoint b)
     {
       ColorPoint avPt = new ColorPoint();
       avPt.X = (a.X + b.X) / 2;
       avPt.Y = (a.Y + b.Y) / 2;
       avPt.Z = (a.Z + b.Z) / 2;
       avPt.C = Color.FromArgb((a.C.A + b.C.A) / 2, (a.C.R + b.C.R) / 2, (a.C.G + b.C.G) / 2, (a.C.B + b.C.B) / 2);
       return avPt;
     }
Structures can include members and methods that can be called even if there is no instance
created of that type. Those use the keyword static. For example, we can add a member called
OriginBlack that creates a black point located at the origin. We can also include a static method
to compare if two existing points have the same color, as in the following.
     //static methods
     public static bool IsEqualLocation(ColorPoint p1, ColorPoint p2)
     {
       return (p1.X == p2.X && p1.Y == p2.Y && p1.Z == p2.Z);
     }
                                                                                                                      39
   public static bool IsEqualColor(ColorPoint p1, ColorPoint p2)
   {
     return p1.C.Equals(p2.C);
   }
Because structs are value types, if you pass your colored points to a function, and change the
location (x,y,z), it will only be changed inside or within the scope of that function, but will not
affect the original data, unless explicitly passed by reference as in the following example:
Using our ColorPoint struct, the following is a program that generates 2 colored points,
compares their location and color, then finds their average:
Structures have limitations, most notable is the inability to build a hierarchy of objects. Also, they
are not preferred for objects that are large in their size in bytes.
2_9_3: Classes
Classes help create new data types that are reference-type. They also have added
functionality compared to structures. The main one is that they support creating a hierarchy of
types where each new level inherits the members and methods of the level above it. Many of
the geometry types in RhinoCommon use classes to define them. Let us redefine the
ColorPoint above as a class that inherits from a generic Point class.
 class CPoint{
    //fields
    private double _x;
                                                                                                      40
     private double _y;
     private double _z;
     //constructors
     public CPoint() : this(0,0,0) //default calls another constructor
     {
     }
     public CPoint(double x, double y, double z)
     {
       _x = x;
       _y = y;
       _z = z;
     }
     //properties
     public double X { get { return _x; } set { _x = value; } }
     public double Y { get { return _y; } set { _y = value; } }
     public double Z { get { return _z; } set { _z = value; } }
     //static methods
     public static bool IsEqualLocation(CColorPoint p1, CColorPoint p2)
     {
       return (p1.X == p2.X && p1.Y == p2.Y && p1.Z == p2.Z);
     }
 }
     //constructors
     public CColorPoint() : base()//default
     {
       _c = System,.Drawing.Color.White;
     }
     public CColorPoint(double x, double y, double z, System.Drawing.Color c) : base (x, y, z)
     {
       _c = c;
     }
     //properties
     public System.Drawing.Color C { get { return _c; } set { _c = value; } }
     //static methods
     public static bool IsEqualColor(CColorPoint p1, CColorPoint p2)
     {
       return p1.C.Equals(p2.C);
     }
     //method
     public static CColorPoint Average (CColorPoint a, CColorPoint b)
     {
       CColorPoint avPt = new CColorPoint();
       avPt.X = (a.X + b.X) / 2;
       avPt.Y = (a.Y + b.Y) / 2;
       avPt.Z = (a.Z + b.Z) / 2;
       avPt.C = Color.FromArgb((a.C.A + b.C.A) / 2, (a.C.R + b.C.R) / 2, (a.C.G + b.C.G) / 2, (a.C.B + b.C.B) / 2);
       return avPt;
     }
 }
You can use the same program written above for ColorPoint struct to create an average point
between 2 color points. The only difference is that if you now pass an instance of the class
CColorPoint to a function, it will be passed by reference, even without using the ref keyword.
Here are the key differences between structures and classes:
                                                                                                                      41
 Struct                    Class                         What does it mean?
 Value type                Reference type                Value types (struct) are cheaper to allocate and
                                                         deallocate in memory, however the assignment of a
                                                         large value type can be more costly than a reference
                                                         type (class).
 Cannot use inheritance    Can use inheritance           Use classes when building a hierarchy of objects or
                                                         when the data type is large, and use structs when
                                                         creating types that are generally small, short lived and
                                                         embedded inside other objects.
It is worth stressing the two data classifications: value-types and reference-types. We touched
on that topic when introducing methods and how parameters are passed by value or by
reference. There are also differences in how the two are stored and managed in memory. Here
is a summary comparison between the two classifications:
Memory storage Stored inline in the program stack. Stored in the heap.
  Memory management       Cheaper to create and clear from             Costly to clear (use garbage collectors),
                          memory especially for small data.            but more efficient for big data.
  When passed as          Passes a copy of the data to methods,        Passes the address of the original data,
  parameters in methods   which means that the original data is not    and hence any changes to the data inside
                          changed even when altered inside the         the method changes the original data as
                          method.                                      well.
2_9_5: Interface
You may need your structures and classes to implement some common functionality. For
example, you may need to check if two instances of the same type are equal. In this case, you
would like to make sure that you use the same method name and signature. To ensure that, you
can define that functionality inside a separate entity called interface, and have your structure
and classes implement that same interface.
The .NET Framework provides interfaces, but you can also define your own. For example, we
can implement an IEquatable interface in the ColorPoint struct as in the following.
                                                                                                                42
 struct ColorPoint: IEquatable<ColorPoint>
 {
    //fields
    private double _x;
    private double _y;
    private double _z;
    private System.Drawing.Color _c;
    //properties
    public double X { get { return _x; } set { _x = value; } }
    public double Y { get { return _y; } set { _y = value; } }
    public double Z { get { return _z; } set { _z = value; } }
    public System.Drawing.Color C { get { return _c; } set { _c = value; } }
    //implement Equals method inside IEquatable interface - if omitted, you’ll get error
    public bool Equals( ColorPoint pt )
    {
        return (this._x == pt._x && this._y == pt._y && this._z == pt._z && this._c == pt._c);
    }
 }
We will discuss a simple example that parses points from a text file. Using the following text file
format, we will read each line as a point and use the first value as x coordinate, the second as y
and the third as z of the point. We will then use these points to create a NURBS curve.
The input to the scripting component is the path to the text file, and the output is an array of
points. You can then use these points as input to create a curve in Grasshopper.
                                                                                                   43
Here is the code inside the script component. It reads the file line by line, then parses each into
a point assuming that each point is stored in one line and the coordinates are comma
separated.
The above code does not do any validation of the data and will only work if the text file has no
errors such as empty lines, invalid numbers, or simply does not follow the expected format.
Validating the data before using it is a good practice that helps make your program robust and
avoid crashes and errors.The following is a rewrite of the same code, but with validation
(highlighted).
 if ((!File.Exists(path)) || !read) {
       //Show message box
       System.Windows.Forms.MessageBox.Show("File does not exist or could not be read");
       //Give feedback in the component out parameter
       Print("Exit without reading");
                                                                                                 44
      return;
 }
 //Characters to remove
 var charsToRemove = new string[] { " ", ")", "(", "[", "]", "{", "}" };
     if (String.IsNullOrEmpty(line)) continue;
     //Tokenize line into array of strings separated by ","
     string[] parts = tLine.Split(",".ToCharArray());
Just like conditional loops, recursive functions need to be designed and tested carefully for all
possible input; otherwise you run the risk of crashing your code.
                                                                                                    45
The following example takes an input line then makes a copy that is shorter and rotated. It
keeps doing that for each newly generated line until the line length becomes less than some
minimum length. The following table shows the input and output parameters.
Function parameters
To compare the two approaches, wWe will solve the problem recursively and iteratively to be
able to compare the two approaches. Note that not all recursive cases can be solved iteratively.
Also some cases are easier to solve recursively that iteratively or vice versa. If you do not
design your recursive function carefully, you can end up in an infinite loop.
In the following recursive solution, note that inside the DivideAndRotate function includes:
    ● A stopping condition to exit the function.
    ● A call to the same function from within the function (recursive function call themselves).
    ● The result (array of lines) is passed by reference to keep adding new lines to the list.
 private void RunScript(Line inputLine, double angle, double minLength, ref object Lines)
 {
                                                                                               46
         //Assign return value
         Lines = allLines;
 }
     public void DivideAndRotate(Line currLine, ref List<Line> allLines, double angle, double minLength)
     {
       //Check the stopping condition
       if (currLine.Length < minLength)
         return;
newLine.To = endPt;
         //Rotate
         Transform xform = default(Transform);
         xform = Transform.Rotation(angle, Vector3d.ZAxis, newLine.From);
         newLine.Transform(xform);
allLines.Add(newLine);
         //Call self
         DivideAndRotate(newLine, ref allLines, angle, minLength);
     }
We can solve the same problem using an iterative solution through a conditional loop. Note that:
  ● The stopping condition appears in the while loop condition.
  ● The DivideAndRotate function parameters are passed by value (not changed inside the
      function). The function simply calculates and returns the new line.
 private void RunScript(Line inputLine, double angle, double minLength, ref object Lines)
 {
                                                                                                           47
  while (length > minLength) {
    //Generate the new line
    newLine = DivideAndRotate(newLine, angle);
    //Add to list
    allLines.Add(newLine);
    //Stopping condition
    length = newLine.Length;
  }
  //Assign return value
  Lines = allLines;
}
public Line DivideAndRotate(Line currLine, double angle)
{
  //Take a portion of the line
  Line newLine = new Line();
  newLine = currLine;
  Point3d endPt = new Point3d();
  endPt = newLine.PointAt(0.95);
  newLine.To = endPt;
  //Rotate
  newLine.Transform(Transform.Rotation(angle, Vector3d.ZAxis, newLine.From));
  //Function return
  return newLine;
}
                                                                                48
Chapter Three: RhinoCommon Geometry
3_1: Overview
RhinoCommon is the .NET SDK for Rhino. It is used by Rhino plug-in developers to write .NET
plug-ins for Rhino and Grasshopper. All Grasshopper scripting components can access
RhinoCommon including all geometry objects and functions. The full RhinoCommon
documentation is available here:
https://developer.rhino3d.com/api/RhinoCommon
In this chapter, we will focus on the part of the SDK dealing with Rhino geometry. We will show
examples of how to create and manipulate geometry using the Grasshopper C# component.
The use of the geometry classes in the SDK requires basic knowledge in vector mathematics,
transformations and NURBS geometry. If you need to review or refresh your knowledge in these
topics, then refer to the “Essential Mathematics for Computational Design”, a free download is
available from here:
https://www.rhino3d.com/download/rhino/6/essentialmathematics
If you recall from Chapter 2, we worked with value types such as int and double. Those are
system built-in types provided by the programming language, C# in this case. We also learned
that you can pass the value types to a function without changing the original variables (unless
passed by reference using the ref keyword). We also learned that some types such as objects,
are always passed by reference. That means changes inside the function also changes the
original value.
The system built-in types whether they are value or reference types, are often very limiting in
specialized programming applications. For example, in computer graphics, we commonly deal
with points, lines, curves or matrices. These types need to be defined by the SDK to ease the
creation, storage and manipulation of geometry data. Programming languages offer the ability to
define new types using structures ( value types) and classes ( reference types). The
RhinoCommon SDK defines many new types as we will see in this chapter.
  Point3d          Location in 3D space. There are other points that have different dimensions such as: Point2d
                   (parameter space point) and Point4d to represent control points.
Vector3d Vector in 3D space. There is also Vector2d for vectors in parameter space
                                                                                                            49
    Plane         A plane defined by a plane origin, X-Axis, Y-Axis and Z-Axis
Arc Represents the value of a plane, two angles and a radius in a subcurve of a circle
Rectangle3d Represents the values of a plane and two intervals that form an oriented rectangle
Cone Represents the center plane, radius and height values in a right circular cone.
    Cylinder      Represents the values of a plane, a radius and two heights -on top and beneath- that define a
                  right circular cylinder.
    BoundingBox   Represents the value of two points in a bounding box defined by the two extreme corner
                  points.This box is therefore aligned to the world X, Y and Z axes.
    Box           Represents the value of a plane and three intervals in an orthogonal, oriented box that is not
                  necessarily parallel to the world Y, X, Z axes.
Torus Represents the value of a plane and two radii in a torus that is oriented in 3D space.
The Point3d8 type includes three fields (X, Y and Z). It defines a number of properties and
also has constructors and methods. We will walk through all the different parts of Point3d and
how it is listed in the RhinoCommon documentation. First, you can navigate to Point3d from
the left menu under the Rhino.Geometry namespace. When you click on it, the full
documentation appears on the right. At the very top, you will see the following:
Here is a break down of what each part in the above Point3d documentation means:
8
 Point3d documentation:
https://developer.rhino3d.com/api/RhinoCommon/html/T_Rhino_Geometry_Point3d.htm
                                                                                                               50
     Part                          Description
     Assembly: RhinoCommon (in     The assembly that includes that type. All geometry types are part of the
     RhinoCommon.dll)              RhinoCommon.dll
     public struct Point3d         public: public access: your program can instantiate an object of that type
                                   struct: structure value type.
                                   Point3d: name of your structure
     : ISerializable,              The “:” is used after the struct name to indicate what the struct implements.
     IEquatable<Point3d>,          Structures can implement any number of interfaces. An interface contains a
     IComparable<Point3d>,         common functionality that a structure or a class can implement. It helps with
     IComparable,                  using consistent names to perform similar functionality across different types.
     IEpsilonComparable<Point3d>   For example IEquatable interface has a method called “Equal”. If a structure
                                   implements IEquatable, it must define what it does (in Point3d, it compares all
                                   X, Y and Z values and returns true or false).11
Point3d Constructors:
Structures define constructors to instantiate the data. One of the Point3d constructors takes
three numbers to initialize the values of X, Y and Z. Here are all the constructors of the Point3d
structure .
The following example shows how to define a variable of type Point3d using a GH C#
component.
9
  Namespace in .NET: https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/namespaces/
10
   For details, refer to Microsoft documentation: https://docs.microsoft.com/en-
us/dotnet/csharp/programming-guide/concepts/serialization/
11
   Interfaces: https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/interfaces/index
                                                                                                                51
 private void RunScript(double x, double y, double z, ref object Point)
 {
Point3d Properties:
Properties are mostly used to “get” and/or “set” the fields of the structure. For example, there
are the “X”, “Y” and “Z” properties to get and set the coordinates of an instance of Point3d.
Properties can be static to get specific points, such as the origin of the coordinate system
(0,0,0). The following are Point3d properties as they appear in the documentation:
                                                                                                   52
Here are two GH examples to show how to get and set the coordinates of a Point3d.
 private void RunScript(Point3d pt, ref object A, ref object B, ref object C)
 {
Static properties get or set a generic data of that type. The above example uses the static
Point3d method Unset to unset the new point. Another example that is commonly used is the
                                                                                              53
origin property in Point3d to get the origin of the coordinate system, which is (0,0,0) as in the
following example.
Origin = Point3d.Origin;
Point3d Methods:
The methods are used to help inquire about the data or perform specific calculations,
comparisons, etc. For example, Point3d has a method to measure the distance to another
point. All methods are listed in the documentation with full details about the parameters and the
return value, and sometimes an example to show how they are used. In the documentation,
Parameters refer to the input passed to the method and the Return Value describes the data
returned to the caller. Notice that all methods can also be navigated through the left menu.
                                                                                                    54
 private void RunScript( double x, double y, double z, Point3d other, ref object Point, ref object Distance)
 {
The DistanceTo method does not change the fields (the X, Y and Z). However, other methods
such as Transform change the fields. The Transform method resets the X, Y and Z values to
reflect the new location after applying the transform.
                                                                                                               55
Here is an example that uses Point3d.Transform.
The ArePointsCoplanar has the following syntax, parameters and the return value.
                                                                                                 56
Here is an example that uses the static method Point3d.ArePointsCoplanar.
Point3d Operators:
Many Structures and Classes in RhinoCommon implement operators whenever relevant.
Operators enable you to use the “+” to add two points or use the “=” to assign the coordinates of
one point to the other. Point3d structure implements many operators and this simplifies the
coding and its readability. Although it is fairly intuitive in most cases, you should check the
documentation to verify which operators are implemented and what they return. For example,
                                                                                              57
the documentation of adding 2 Point3d indicates the result is a new instance of Point3d where
X, Y and Z are calculated by adding corresponding fields of 2 input Point3d.
Note that all operators are declared public and static. Here is an example that shows how the
“+” operator in Point3d is used. Note that the “+” returns a new instance of a Point3d.
                                                                                                  58
 private void RunScript(double x, double y, double z, Point3d pt2, ref object Point)
 {
RhinoCommon has a few structures to store and manipulate points and vectors12. Take for
example the double precision points. There are three types of points that are commonly used
listed in the table below.
12
   For more detailed explanation of vectors and points, please refer to the “Essential Mathematics for
Computational Design”, a publication by McNeel.
https://www.rhino3d.com/download/rhino/6/essentialmathematics
                                                                                                                      59
                       Y as Double
                       Z as Double
The following are a few point and vector operations with examples of output. The script starts
with declaring and initializing a few values, then applying some operations.
  Vector subtraction
  Vector3d subtractVectors = v0 - v1;
  Vector dot product (if result Is positive number then vectors are In the same direction)
  double dot = v0 * v1;
  /*---
  For example if
  v0 = <10, 0, 0>
  v1 = <0, 10, 0>
  then
  dot = 0
  */
                                                                                                 60
  Vector3d cross = new Vector3d(Vector3d.Unset);
  cross = Vector3d.CrossProduct(v0, v1);
  Scale a vector
  Vector3d scaleV0 = new Vector3d(Vector3d.Unset);
  scaleV0 = factor * v0;
RhinoCommon defines basic types of curves such as lines and circles as structures and hence
most of them are value types. The mathematical representation is easier to understand and is
typically more light-weight. If needed, it is relatively easy to get the Nurbs approximation of
these curves using the method ToNurbsCurve. The following is a list of the lightweight curves.
                                                                                                    61
The following shows how to create instances of different lightweight curve objects:
                                                                                      62
3_2_4: Lightweight surfaces
Just like with curves, RhinoCommon defines a number of lightweight surfaces that are defined
as structures. They can be converted to Nurbs surfaces using the ToNurbsSurface() method.
They include common surfaces such as cones and spheres. Here is a list of them:
The following shows how to create instances of different lightweight surface objects:
                                                                                          63
3_2_5: Other geometry structures
Now that we have explained the Point3d structure in some depth, and some of the lightweight
geometry structures you should be able to review and use the rest using the RhinoCommon
documentation. As a wrap up, the following example uses eight different structures defined in
the Rhino.Geometry namespace. Those are Plane, Point3d, Interval, Arc, Vector3d, Line,
Sphere, and Cylinder. The goal is to create the following composition.
  1- Create an instance of a circle on the xy-plane, center (2,1,0) and a random radius between 10 and 20
    //Generate a random radius of a circle
    Random rand = new Random();
    double radius = rand.Next(10, 20);
2- Create an instance of an arc from the circle and angle interval between 0 and Pi
3- Extract the end points of the arc and create a vertical lines with length = 10 units
                                                                                                            64
    //Extract end points
    Point3d startPoint = arc.StartPoint;
    Point3d endPoint = arc.EndPoint;
  4- Create a cylinder around the start line with radius = line height/4, and a sphere around the second line centered
  in the middle and with radius = line height/4
    //Create a cylinder at line1 with radius = 1/4 the length
    double height = line1.Length;
    double radius = height / 4;
    Circle circle = new Circle(line1.From, radius);
    Cylinder cylinder = new Cylinder(c_circle, height);
    //Create a sphere at the center of line2 with radius = 1/4 the length
    Point3d sphereCenter = line2.PointAt(0.5);
    Sphere sphere = new Sphere(sphereCenter, radius);
Most geometry classes are derived from the GeometryBase class. The following diagram
shows the hierarchy of these classes.
                                                                                                                   65
GeometryBase                  Abstract class (cannot create an instance of an abstract class)
 AnnotationBase
  Dimension                   Abstract class derived from AnnotationBase
     AngularDimension
     Centermark
     LinearDimension          Classes derived from Dimension class
     OrdinateDimension
     RadialDimension
  Leader
                              Classes derived from AnnotationBase class
  TextEntity
 Brep
 BrepLoop
 Curve                        Abstract Curve class
  ArcCurve
  CurveProxy
     BrepEdge
     BrepTrim                 Classes derived from Curve base class
  LineCurve
  NurbsCurve
  PolyCurve
  PolylineCurve
 DetailView
 Hatch
 InstanceDefinitionGeometry
 InstanceReferenceGeometry
 Light
 Mesh
 MorphControl
 Point
  BrepVertex                  Class derived from Point base class
 Point3dGrid
 PointCloud
 Surface                      Abstract Surface class
  Extrusion
  NurbsSurface
  PlaneSurface
     ClippingPlaneSurface     Classes derived from Surface base class
  RevSurface
  SumSurface
  SurfaceProxy
     BrepFace
 TextDot
                                                                                                66
You can instantiate an instance of most of the classes above. However, there are some classes
that you cannot instantiate. Those are usually up in the hierarchy such as the GeometryBase,
Curve and Surface. Those are called abstract classes.
   ●   Base Classes: refer to parent classes that define common functionality for the classes
       that are derived from them. The Curve class is an example of a base class that also
       happens to be an abstract (cannot instantiate an object from it). Base classes do not
       have to be abstract though.
   ●   Derived Classes: inherit the members of a class they are derived from and add their
       own specific functionality and implementation. The NurbsCurve is an example of a
       derived class from the Curve class. The NurbsCurve can use all members in Curve
       class methods. The same is true for all other classes derived from Curve, such as
       ArcCurve, PolyCurve. The following example shows how to create a new instance of
       the PolylineCurve class.
         private void RunScript(List<Point3d> pts, int degree, ref object Crv, ref object Type)
         {
                                                                                                  67
The most common way to create an instance of a class is to use the new keyword when
declaring the object.
 private void RunScript( Point3d p0, Point3d p1, ref object Line )
 {
There is another common way to create instances of classes. That is to use special methods in
some classes to help create and initialize a new instance of an object. For example, the Curve
class has static methods to create a variety of curve types as in the following example. Notice
that you do not need to use new in this case.
 private void RunScript(List<Point3d> points, int degree, ref object A, ref object B)
 {
     //Assign output
     A = inter_crv;
     B = nurbs_crv;
The following table summarizes the different ways to create new instances of objects, which
applied to both class and structure types.
                                                                                              68
DIfferent way to create a new instance of an object
1- Use the class constructor
Need to use the new keyword. For example, the following creates a line from two points.
Note that each class may have a number of constructors that include different sets of parameters. For example the
LineCurve class has the following constructors:
Many times, there are “protected” constructors. Those are used internally by the class and you cannot use them to
create a new instance of the object with them. They are basically locked. The LineCurve class has one marked in
the image above.
2- Use the class static Create methods
Some classes include a Create method to generate a new instance of the class. Here is an example:
You can find these methods in the RhinoCommon help when you navigate the class “members”. Here are
different ways to create a NurbsCurve for example and how they appear in the help.
                                                                                                               69
 There are times when the parent class has “Create” methods that can be used to instantiate an instance of the
 derived class. For example, the Curve class has few static methods that a derived class like NurbsCurve can use
 as in the example:
 For the full set of the Curve Create methods, check the RhinoCommon documentation. Here is an example of a
 few of them.
Once you create an instance of a class or a structure, you will be able to see all class methods
and properties through the auto-complete feature. When you start filling the method parameters,
the auto-complete will show you which parameter you are at and its type. This is a great way to
navigate all available methods for each class and be reminded of what parameters are needed.
Here is an example from a Point3d structure. Note that you don’t always get access to all the
methods via the auto-complete. For the complete list of properties, operations and methods of
each class, you should use the RhinoCommon help file.
                                                                                                               70
                                 Figure(23) Auto-complete help navigate the type methods
Classes and structures define properties to set and retrieve data. Each property has either a
Get or a Set method, or both. The following example shows how to get and set the coordinates
of a Point3d object.
Copying data from an existing class to a new one can be done a few different ways depending
on what the class supports. The following example shows how to copy data between two points
using three different ways. It also shows how to use the DuplicateCurve method of the Curve
class to create a new identical instance of a Curve.
                                                                                           71
 private void RunScript(Point3d pt, Curve crv, ref object newCrv)
 {
      //Some geometry classes provide “Duplicate” method that Is very efficient to use
      newCrv = crv.DuplicateCurve();
3_3_1: Curves
The RhinoCommon SDK has the abstract Rhino.Geometry.Curve class that provides a rich
set of functionality across all curves. There are many classes derived from the parent Curve
class and we will learn about how to create and manipulate them. The following is a list of the
classes derived from the Curve class.
                                                                                                                  72
  Curve nc = Rhino.Geometry.Curve.CreateControlPointCurve(points, degree);
Create an array of tween curves using two input curves and a the number of tween curves
Another way to create new curves is to use the constructor of the curve with the new keyword.
The following are examples to create different types of curves using the constructor or the
Create method in the class. You can reference the RhinoCommon help for more details about
the constructors of each one of the derived curve classes.
Create an instance of a ArcCurve using the class constructor and new keyword
Create an instance of a PolylineCurve using the class constructor and new keyword
Create one open and one closed (periodic) curves using the Create function of the NurbsCurve class
                                                                                                       73
  isPeriodic = true;
  NurbsCurve periodicCurve = NurbsCurve.Create(isPeriodic , degree, pointList);
Curves can also be the return value of a method. For example offsetting a given curve creates
one or more new curves. Also the surface IsoCurve method returns an instance of a curve.
  Extract iso-curve from a surface. A new instance of a curve is the return value of a method
  //srf = input surface, p = input parameter
  var isoCurve = srf.IsoCurve(0, p);
  private void RunScript(Curve crv, int num, double dis, double tol, Plane plane)
  {
    //Declare the list of curve
    List<Curve> crvs = new List<Curve>();
    Curve lastCurve = crv;
    for (int i = 1; i <= num; i++)
    {
      Curve[ ] curveArray = last_crv.Offset(plane, dis, tol, CurveOffsetCornerStyle.None);
Curve methods:
Each class can define methods that help navigate the data of the class and extract some
relevant information. For example, you might want to find the endpoints of a curve, find the
tangent at some point, get a list of control points or divide the curve. The AutoComplete helps
to quickly navigate and access these methods, but you can also find the full description in the
RhinoCommon help.
                                                                                                74
Keep in mind that a derived class such as NurbsCurve can access not only its own methods,
but also the methods of the classes it was derived from. Therefore an instance of a
NurbsCurve, can access the NurbsCurve methods and the Curve methods as well. The
methods that are defined under the Curve are available to all of the classes derived from the
Curve class such as LineCurve, ArcCurve, NurbsCurve, etc. Here are a few examples of
curve methods.
                                                                                                75
3_3_2: Surfaces
There are many surface classes derived from the abstract Rhino.Geometry.Surface class. The
Surface class provides common functionality among all of the derived types. The following is a
list of the surface classes and a summary description.
The following is an example to create a fillet surface between 2 input surfaces given some
radius and tolerance.
  private void RunScript(Surface srfA, Surface srfB, double radius, double tol, ref object A)
  {
     //Declare an array of surfaces
     Surface[ ] surfaces = {};
However, the most common way to create a new instance of a derived surface type is to either
use the constructor (with new keyword), or the Create method of the derived surface class.
Here are a couple examples that show how to create instances from different surface types.
                                                                                                                          76
  Create an instance of a PlaneSurface using the constructor and new keyword
  var plane = Plane.WorldXY;
  var x_interval = new Interval(1.0, 3.5);
  var y_interval = new Interval(2.0, 6.0);
Surface methods:
Surface methods help edit and extract information about the surface object. For example, you
might want to learn if the surface is closed or if it is planar. You might need to evaluate the
surface at some parameter to calculate points on the surface, or get its bounding box. There are
also methods to extract a lightweight geometry out of the surface. They start with “Try” keyword.
For example, you might have a RevSurface that is actually a portion of a torus. In that case, you
can call TryGetTorus. All these methods and many more can be accessed through the surface
methods. A full list of these methods is documented in the RhinoCommon SDK documentation.
                                                                                              77
  Examples of the Surface and NurbsSurface methods
  //Evaluate the surface and extract the first derivative to get tangents
  srf.Evaluate(u, v, 1, out evalPt, out derivatives);
3_3_3: Meshes
Meshes represent a geometry class that is defined by faces and vertices. The mesh data
structure basically includes a list of vertex locations, faces that describe vertices connections
and normal of vertices and faces. More specifically, the geometry lists of a mesh class include
the following.
                                                                                                78
 Mesh geometry lists                     Description
 Vertices                                Of type MeshVertexList - includes a list of vertex locations type Point3f.
 Normals                                 Of type MeshVertexNormalList - includes a list of normals of type Vector3f.
 Faces                                   Of type MeshFaceList - includes a list of normals of type MeshFace.
 FaceNormals                             Of type “MeshFaceNormalList” - includes a list of normals of type Vector3f.
Create mesh objects:
You can create a mesh from scratch by specifying vertex locations, faces and compute the
normal as in the following examples.
The Mesh class includes many CreateFrom static methods to create a new mesh from various
other geometry. Here is the list with description as it appears in the RhinoCommon help.
                                                                                                                       79
Here are a couple examples to show how to create a mesh from a brep and a closed polyline.
                                                                                              80
mesh vertices, then you need to get a copy of each vertex, change the coordinates, then
reassign in the vertices list. You can also use the Set methods inside the MeshVertexList class
to change vertex locations.
The following example shows how to randomly change the Z coordinate of a mesh using two
different approaches. Notice that mesh vertices use a Point3f and not Point3d type because
mesh vertex locations are stored as a single precision floating point.
  Change the location of mesh vertices by assigning the new value to the Vertices’ list
  //Change mesh vertex location
  int index = 0;
  Random rand = new Random();
Here is an example that deletes a mesh vertex and all surrounding faces
You can also manage the Faces list of a mesh. Here is an example that deletes about half the
faces randomly from a given mesh.
                                                                                             81
       int index = rand.Next(count);
       faceIndices.Add(index);
  }
  //delete faces
  mesh.Faces.DeleteFaces(distinctIndices);
Meshes keep track of the connectivity of the different parts of the mesh. If you need to navigate
related faces, edges or vertices, then this is done using the mesh topology. The following
example shows how to extract the outline of a mesh using the mesh topology.
  // Find all of the mesh edges that have only a single mesh face
  for (int i = 0; i <= meshEdges.Count - 1; i++) {
     int numOfFaces = meshEdges.GetConnectedFaces(i).Length;
      if ((numOfFaces == 1)) {
          Line line = meshEdges.EdgeLine(i);
          lines.Add(line);
      }
  }
Mesh methods:
Once a new mesh object is created, you can edit and extract data out of that mesh object. The
following example extracts naked edges out of some input mesh.
                                                                                               82
  Delete every other mesh face, then split disjoint meshes
The boundary representation is used to unambiguously represent trimmed nurbs surfaces and
polysurfaces. There are two sets of data that are needed to fully describe the 3D objects using
the boundary representation. Those are geometry and topology.
Brep geometry:
Three geometry elements are used to create any Breps:
     1- The 3D untrimmed nurbs surfaces in the modeling space.
     2- The 3D curves, which are the geometry of edges in modeling space.
     3- The 2D curves, which are the geometry of trims in the parameter space.
Brep topology:
A topology refers to how different parts of the 3-D object are connected. For example we might
have two adjacent faces with one of their edges aligned. There are two possibilities to describe
                                                                                                                 83
the relationship or connectivity between these two faces. They could either be two separate
entities that they can be pulled apart, or they are joined in one object sharing that edge. The
topology is the part that describes such relationships.
         Figure(25): Topology describes connectivity between geometry elements. Two adjacent faces can either be
                    joined together in one polysurface or are two separate faces that can be pulled apart.
Brep topology includes faces, edges, vertices, trims and loops. The following diagram lists the
Brep topology elements and their relation to geometry in the context of RhinoCommon.
 Vertices          3D points                      They describe the corners of the brep. Each vertex has a 3D
                    (location in 3D space)        location. They are located at the ends of edges and are shared
                                                  between neighboring edges.
 Edges             3D Nurbs curves                Edges describe the bounds of the brep. Each references the 3D
                   (in 3D modeling space)         curve, two end vertices and the list of trims. If an edge has more
                                                  than one trim that means the edge is shared among more than
                                                  one face. Multiple edges can reference the same 3D curve
                                                  (typically different portion of it).
 Faces             3D underlying Nurbs surfaces Faces reference the 3D surface and at least one outer loop. A
                   (in 3D modeling space)       face normal direction might not be the same as that of the
                                                underlying surface normal. Multiple faces can reference the same
                                                3D surface (typically different portion of it).
                                                                                                                   84
 Loops            2D closed curves of             Each face has exactly one outer loop defining the outer boundary
                  connected trims                 of the face. A face can also have inner loops (holes). Each loop
                  (in 2D parameter space)         contains a list of trims.
 Trims            2D Curves                       Each trim references one 2D curve and exactly one edge, except
                  (in 2D parameter space)         in singular trims, there is no edge. The 2D curves of the trims run
                                                  in a consistent direction. Trims of outer or boundary of the face
                                                  run anti-clockwise regardless of the 3D curve direction of its edge.
                                                  The 2D curves of the trims of the inner loops run clockwise.
Each brep includes lists of geometry and topology elements. Topology elements point to each
other and the geometry they reference which makes it easy to navigate through the brep data
structure. The following diagram shows navigation paths of the brep topology and geometry
elements.
                                                                                                                   85
      var loopTrims = loop.Trims;
      //Get loop 2D and 3D curves
      var loop2dCurve = loop.To2dCurve();
      var loop3dCurve = loop.To3dCurve();
  }
In polysurfaces (which are Breps with multiple faces), some geometry and topology elements
are shared along the connecting curves and vertices where polysurface faces join together. In
the following example, the two faces F0 and F1 share one edge E0 and two vertices V0 and V2.
                                                                                          86
       Figure (28): Vertices, edges and 3-D curves are shared between neighboring faces. Edge (E0) and Vertices
                                (V0 and V2) are shared between the two faces (F0 & F1)..
As illustrated before, Breps has a rather complex data structure and it is useful to learn how to
navigate this data. The following examples show how to get some of the geometry parts.
  Example to count geometry and topology elements of a Brep and then extract the 3D geometry
  Brep brep = … //from input
  //Print the number of geometry elements
  Print("brep.Vertices.Count = {0}", brep.Vertices.Count);
  Print("brep.Curves3D.Count = {0}", brep.Curves3D.Count);
  Print("brep.Curves2D.Count = {0}", brep.Curves2D.Count);
  Print("brep.Surfaces.Count = {0}", brep.Surfaces.Count);
                                                                                                             87
                  //Check if the edge has only one trim
                  if (edge.TrimCount == 1) {
                      //Add a copy of the edge curve to the list
                      outline.Add(edge.DuplicateCurve());
              }
          }
      }
  }
  Example to extract all the faces of a Brep box and move them away from the center
                                                                                            88
  Create Breps from bounding surfaces
Brep methods:
Here is a list of some of the commonly used create methods found under the Brep class. For
the full list and details about each method, please refer to the RhinoCommon SDK help.
The Brep methods serve multiple functions. Some are to extract information such as finding out
if the brep is solid (closed polysurface), others perform calculations in relation to the brep such
as area, volume or find a point inside a solid. Some methods change the brep such as cap
                                                                                                 89
holes or merge coplanar faces. Methods that operate on multiple instances of breps include
joining or performing some boolean operations. Following are examples to show the range of
Brep methods.
  Example methods to extract Brep information: Find if a brep is valid and is a solid.
  Brep[ ] breps = … // from input
Example methods that change a brep topology: merge coplanar faces in a brep
                                                                                             90
3_3_5: Other geometry classes
There are many important classes under the Rhino.Geometry namespace that are not derived
from GeometryBase. Those are commonly used when writing scripts to create and manipulate
geometry. We used a couple of them in the examples. You can find the full list of
RhinoCommon classes in the documentation. Most of these classes are derived directly from
the C# abstract class System.Object. This is the inheritance hierarchy for these classes.
One important cluster of classes in this list has to do with extracting 2D outlines of the geometry,
(Make2D). These classes start with HiddenLineDrawing keyword. The following diagram
shows the sequence of creating the drawing and which classes are used in each step.
                                                                                                            91
The first step involves setting the parameters such as the source geometry, view and all other
options. Once the parameters are set, the HLD core class can calculate all the lines and hand
back to the HLD Segment class with all visibility information and associated source. The user
can then use this information to create the final drawing.
                                                                                                 92
      flatten = delta3D * flatten;
      //add curves to lists
      foreach (HiddenLineDrawingSegment hldCurve in _hld.Segments)
      {
         if (hldCurve == null ||
             hldCurve.ParentCurve == null ||
             hldCurve.ParentCurve.SilhouetteType == SilhouetteType.None)
           continue;
         var crv = hldCurve.CurveGeometry.DuplicateCurve();
         if (crv != null)
         {
           crv.Transform(flatten);
           if (hldCurve.SegmentVisibility == HiddenLineDrawingSegment.Visibility.Visible)
           {
             if (hldCurve.ParentCurve.SilhouetteType == SilhouetteType.SectionCut)
               secVisibleList.Add(crv);
             else
               visibleList.Add(crv);
           }
           else if (hldCurve.SegmentVisibility == HiddenLineDrawingSegment.Visibility.Hidden)
           {
             if (hldCurve.ParentCurve.SilhouetteType == SilhouetteType.SectionCut)
               secHiddenList.Add(crv);
             else
               hiddenList.Add(crv);
           }
         }
      }
  }
      //add to list
      newObjs.Add(obj);
  }
The Transform structure is a 4x4 matrix with several methods to help create geometry
transformations. This includes defining a shear, projection, rotation, mirror and others. The
structure also has functions that support operations such as multiplications and transpose. For
                                                                                                93
more information about the mathematics of transformations, please refer to “The Essential
Mathematics for Computational Design”. The following examples show how to create a shear
transform and planar projection.
      //add to list
      newObjs.Add(obj);
  }
                                                                                            94
Chapter Four: Design Algorithms
4_1: Introduction
In this chapter we will implement a few examples to create mathematical curves and surfaces
and solve a few generative algorithms using C# in Grasshopper.
The following example shows how to create NurbsCurves and NurbsSurfaces and a lofted Brep
using the sine of an angle.
  private void RunScript(int num, ref object OutCurves, ref object OutSurface, ref object OutLoft)
  {
    //list of all points
    List<Point3d> allPoints = new List<Point3d>();
    //list of curves
    List<Curve> curves = new List<Curve>();
                                                                                                     95
      //create a nurbs surface from control points
      NurbsSurface srf = NurbsSurface.CreateFromPoints(allPoints, num, num, 3, 3);
      //Assign output
      OutCurves = curves;
      OutSurface = srf;
      OutLoft = breps;
  }
You can create a cubic Bezier curve from four input points. De Casteljau algorithm is used in
computer graphics to evaluate the Bezier curve at any parameter. If evaluated at multiple
parameters, then the points can be connected to draw the curve any resolution. The following
example shows a recursive function implementation to interpolate through a Bezier curve.
  private void RunScript(Point3d pt0, Point3d pt1, Point3d pt2, Point3d pt3, int segments, ref object BezierCrv)
  {
     if(segments < 2)
       segments = 2;
                                                                                                               96
       Line line = new Line(points[i - 1], points[i]);
       Point3d pt = line.PointAt(t);
       tPoints.Add(pt);
      }
      if(tPoints.Count == 1)
        evalPt = tPoints[0];
      EvalPoint(tPoints, t, ref evalPt);
  }
The following example takes a surface and closed polyline, then creates a subdivision mesh. It
pulls the mid points of the polyline edges to the surface to then subdivide and pull again.
  private void RunScript(Surface srf, List<Polyline> inPolylines, int degree, ref object OutPolylines, ref object
  OutMesh)
  {
     //instantiate the collection of all panels
     List<Polyline> outPanels = new List<Polyline>();
     //limit to 6 subdivisions
     if( degree > 6)
       degree = 6;
     for(int i = 0; i < degree; i++)
     {
       //outer polylines
       List<Polyline> plines = new List<Polyline>();
       //mid polylines
       List<Polyline> midPlines = new List<Polyline>();
       //generate subdivided panels
       bool result = SubPanelOnSurface(srf, inPolylines.ToArray(), ref plines, ref midPlines);
       if( result == false)
         break;
       //add outer panels
       outPanels.AddRange(plines);
       //add mid panels only in the last iteration
       if(i == degree - 1)
         outPanels.AddRange(midPlines);
       else //subdivide mid panels only
         inPolylines = midPlines;
     }
     //Create a mesh from all polylines
     Mesh joinedMesh = new Mesh();
     for(int i = 0; i < outPanels.Count; i++)
     {
       Mesh mesh = Mesh.CreateFromClosedPolyline(outPanels[i]);
       joinedMesh.Append(mesh);
     }
     //make sure all mesh faces normals are in the same general direction
                                                                                                                    97
    joinedMesh.UnifyNormals();
    //Assign output
    OutPolylines = outPanels;
    OutMesh = joinedMesh;
}
bool SubPanelOnSurface( Surface srf, Polyline[] inputPanels, ref List<Polyline> outPanels, ref List<Polyline>
midPanels)
{
  //check for a valid input
  if (inputPanels.Length == 0 || null == srf)
    return false;
  for (int i = 0; i < inputPanels.Length; i++)
  {
    Polyline ipline = inputPanels[i];
    if (!ipline.IsValid || !ipline.IsClosed)
      continue;
    //stack of points
    List<Point3d> stack = new List<Point3d>();
    Polyline newPline = new Polyline();
    for (int j = 1; j < ipline.Count; j++)
    {
      Line line = new Line(ipline[j - 1], ipline[j]);
      if (line.IsValid)
      {
        Point3d mid = line.PointAt(0.5);
        double s, t;
        srf.ClosestPoint(mid, out s, out t);
        mid = srf.PointAt(s, t);
        newPline.Add(mid);
        stack.Add(ipline[j - 1]);
        stack.Add(mid);
      }
    }
    //add the first 2 point to close last triangle
    stack.Add(stack[0]);
    stack.Add(stack[1]);
    //close
    newPline.Add(newPline[0]);
    midPanels.Add(newPline);
                                                                                                            98
4_3: Generative algorithms
Most of the generative algorithms require recursive functions that are only possible through
scripting in Grasshopper. The following are four examples of generative solutions to generate
the dragon curve, fractals, penrose tiling and game of live.
  private void RunScript(string startString, string ruleX, string ruleY, int Num, double Length, ref object
  DragonCurve)
  {
     // declare string
     string dragonString = startString;
     // generate the string
     GrowString(ref Num, ref dragonString , ruleX, ruleY);
     //generate the points
     List<Point3d> dragonPoints = new List<Point3d>();;
     ParseDeagonString(dragonString, Length, ref dragonPoints);
     // create the curve
     PolylineCurve dragonCrv= new PolylineCurve(dragonPoints);
     // assign output
     DragonCurve = dragonCrv;
  }
  void GrowString(ref int Num, ref string finalString, string ruleX, string ruleY)
   {
     // decrement the count with each new execution of the grow function
     Num = Num - 1;
     char rule;
     // create new string
     string newString = "";
     for (int i = 0; i < finalString.Length ; i++)
     {
                                                                                                              99
     rule = finalString[i];
     if (rule == 'X')
       newString = newString + ruleX;
     if (rule == 'Y')
       newString = newString + ruleY;
     if (rule == 'F' | rule == '+' | rule == '-')
       newString = newString + rule;
    }
    finalString = newString;
    // stopper condition
    if (Num == 0)
      return;
    // grow again
    GrowString(ref Num, ref finalString, ruleX, ruleY);
}
    char rule;
    for(int i = 0 ; i < dragonString.Length;i++)
    {
      //always start for 1 and length 1 to get one char at a time
      rule = DragonString[i];
      //move Forward using direction vector
      if( rule == 'F')
      {
        pt = pt + (V * Length);
        dragonPoints.Add(pt);
      }
      //rotate Left
      if( rule == '+')
        V.Rotate(Math.PI / 2, Vector3d.ZAxis);
      //rotate Right
      if( rule == '-')
        V.Rotate(-Math.PI / 2, Vector3d.ZAxis);
    }
}
                                                                                             100
4_3_2: Fractal tree
  Fractal tree
  private void RunScript(string startString, string ruleX, string ruleY, int num, double length, ref object FractalLines)
  {
     // declare string
     string fractalString = startString;
     // generate the string
     GrowString(ref num, ref dragonString , ruleX, ruleY);
     //generate the points
     List<Line> fractalLines = new List<Line>();;
     ParsefractalString(fractalString, length, ref fractalLines );
     // assign output
     FractalLines = fractalLines ;
  }
  void GrowString(ref int num, ref string finalString, string ruleX, string ruleF)
  {
    // Decrement the count with each new execution of the grow function
    num = num - 1;
    char rule;
    // Create new string
    string newString = "";
    for (int i = 0; i < finalString.Length ; i++)
    {
      rule = finalString[i];
      if (rule == 'X')
        newString = newString + ruleX;
      if (rule == 'F')
        newString = newString + ruleF;
      if (rule == '[' || rule == ']' || rule == '+' || rule == '-')
        newString = newString + rule;
    }
    finalString = newString;
    // Stopper condition
                                                                                                                     101
    if (num == 0)
      return;
    // Grow again
    GrowString(ref num, ref finalString, ruleX, ruleF);
}
                                                                                            102
      if( rule == ']')
      {
        pt = ptStack[ptStack.Count - 1];
        vec = vStack[vStack.Count - 1];
        //Remove from stack
        ptStack.RemoveAt(ptStack.Count - 1);
        vStack.RemoveAt(vStack.Count - 1);
      }
     }
     //Generate lines
     List<Line> allLines = new List<Line>();
     for(int i = 1; i < arrPoints.Count; i = i + 2)
     {
       Line line = new Line(arrPoints[i - 1], arrPoints[i]);
       allLines.Add(line);
     }
 }
 private void RunScript(string startString, string rule6, string rule7, string rule8, string rule9, int num, ref object
 PenroseString)
  {
    // Declare string
    string finalString;
    finalString = startString;
                                                                                                                          103
    // Generate the string
    GrowString(ref num, ref finalString, rule6, rule7, rule8, rule9);
    // Return the string
    PenroseString = finalString;
}
void GrowString(ref int num, ref string finalString, string rule6, string rule7, string rule8, string rule9)
{
  // Decrement the count with each new execution of the grow function
  num = num - 1;
  char rule;
    // Stopper condition
    if (num == 0)
      return;
    // Grow again
    GrowString(ref num, ref finalString, rule6, rule7, rule8, rule9);
}
                                                                                                               104
    for(int i = 0 ; i < penroseString.Length; i++)
    {
      //Always start for 1 and length 1 to get one char at a time
      rule = penroseString[i];
      //Rotate Left
      if( rule == '+')
        vec.Rotate(36 * (Math.PI / 180), Vector3d.ZAxis);
      //Rotate Right
      if( rule == '-')
        vec.Rotate(-36 * (Math.PI / 180), Vector3d.ZAxis);
      //Draw Forward by direction
      if( rule == '1')
      {
        //Add current points
        Point3d newPt1 = new Point3d(pt);
        arrPoints.Add(newPt1);
        //Calculate next point
        Point3d newPt2 = pt + (vec * length);
        //Add next point
        arrPoints.Add(newPt2);
        //Save new location
        pt = newPt2;
      }
    //Generate lines
    List<Line> allLines = new List<Line>();
    for(int i = 1; i < arrPoints.Count; i = i + 2)
    {
      Line line = new Line(arrPoints[i - 1], arrPoints[i]);
      allLines.Add(line);
    }
    PenroseLines = allLines;
}
                                                                    105
4_3_4: Conway game of live
A cellular automaton consists of a regular grid of cells, each in one of a finite number of states,
"On" and "Off" for example. The grid can be in any finite number of dimensions. For each cell, a
set of cells called its neighborhood (usually including the cell itself) is defined relative to the
specified cell. For example, the neighborhood of a cell might be defined as the set of cells a
distance of 2 or less from the cell. An initial state (time t=0) is selected by assigning a state for
each cell. A new generation is created (advancing t by 1), according to some fixed rule
(generally, a mathematical function) that determines the new state of each cell in terms of the
current state of the cell and the states of the cells in its neighborhood.
Check wikipedia for full details and examples.
   private void RunScript(Surface srf, int uNum, int vNum, int seed, ref object PointGrid, ref object StateGrid)
   {
     if(uNum < 2)
       uNum = 2;
     if(vNum < 2)
       vNum = 2;
                                                                                                                   106
        for (int j = 0; j <= vNum; j++)
        {
          Point3d srfPt = srf.PointAt(uMin + i * uStep, vMin + j * vStep);
          ptList.Add(srfPt);
          int randState = rand.Next(0, 2);
          stateList.Add(randState);
        }
        pointsTree.AddRange(ptList, path);
        statesTree.AddRange(stateList, path);
    }
    PointGrid = pointsTree;
    StateGrid = statesTree;
}
    OutGrid = grid;
}
         // top
         nxtBranch = states.Branches[(i + 1 + states.Branches.Count) % states.Branches.Count];
         nc = nc + nxtBranch[(j + 1 + nxtBranch.Count) % nxtBranch.Count];
         nc = nc + nxtBranch[(j + nxtBranch.Count) % nxtBranch.Count];
         nc = nc + nxtBranch[(j - 1 + nxtBranch.Count) % nxtBranch.Count];
         // bottom
         prvBranch = states.Branches[(i - 1 + states.Branches.Count) % states.Branches.Count];
         nc = nc + prvBranch[(j + 1 + prvBranch.Count) % prvBranch.Count];
         nc = nc + prvBranch[(j + prvBranch.Count) % prvBranch.Count];
         nc = nc + prvBranch[(j - 1 + prvBranch.Count) % prvBranch.Count];
                                                                                                 107
      if (c == 1)
      {
        if (nc < 2 | nc > 3)
          c = 0;
      }
      else if (c == 0)
      {
        if (nc == 3)
          c = 1;
      }
      branch[j] = c;
      }
    }
    return states;
}
108