Click here to Skip to main content
15,878,945 members
Articles / Programming Languages / C#

Licensing systems in .NET

Rate me:
Please Sign up or sign in to vote.
4.83/5 (52 votes)
28 Apr 2014BSD17 min read 78.2K   166   24
Three different algorithms for constructing licensing systems, their advantages and disadvantages using C#.NET environment.

Table of Contents

Abstract

A key validation algorithm is one of the important parts in the protection of a computer application. Even if an already existing API is to be used, it is important to understand its weaknesses in order to compare it with alternative ones. Therefore, in this article, three different categories will be described with clear definitions that will make it possible to distinguish between them and allow an analysis of currently existing APIs. Every category is accompanied with examples and in some cases suggestions for further development. The categories described in this article are Checksum based key validation, Pattern based key validation, and Information based key validation. It is going to be found that the choice of a key validation system depends on the information that is to be stored in the key. It is also concluded that at this point it would be better to use online key validation instead.

Introduction

The problem of finding the appropriate licensing system might not seem that important when developing applications of different kinds. Usually, we focus on making the actual application as good as possible and leaving the licensing system to the end. However, if the protection against illegal use is important, licensing systems of different kinds have to be considered.

There are at this point at least three ways of protecting computer application. The first way is to use an already existing service like Windows Store. The second way is to use already existing APIs. The third way is to build your own system.

In this article, I would like to describe three different ways of constructing your own key validation algorithm that works without internet connection, and at the same time convey the weaknesses of each of them. Even if you are not going to build your own algorithm, one of the aims of this article is to give the ability to analyse key validation algorithms once you know what group they are from. For this purpose, every section contains a strict definition of a given system, so that when you have found an already existing API, you can spot which group it belongs to and thus get to know its weaknesses.

Note: This article was converted from LaTeX to HTMl so there might be something missing. In this case, please refer to the original article in PDF.

1. Checksum based key validation

This is the most common, very simple-to-implement licensing system that uses a function to calculate a checksum of specific data. A strict definition is:

A key validation algorithm where two types of data are present to the user in such a way that the data2 is directly dependent on data1. 

Usually, this means that the data1 is the customer's name and data2 is the serial key that is sent along with customer's name. Ideally, the function that generates <code>data2 based on data1 is destructive, that is, it should not be possible to find data1 given data2.

When the serial key is to be validated, the end-user application has to check whether the relation between data1 and data2 is true.

Another way of looking at it is:

x =name of the customer (data1 )

f(x) = the serial key (data2)

If it can be said that a key validation is check sum based, it is has following weaknesses.

Weaknesses

  • If f(x) is known or at least if there is a relation that can be seen between x1 and f(x1), the key algorithm can be found.
  • Requires the end-used program(client) to have f(x) embedded into the code in some way. If the program is disassembled, f(x) can be found.
  • During runtime, a temporary hash is going to be calculated and stored in a variable. This value might be obtained by an external application.
  • Does not give more information than if the key is valid or invalid.

2. Pattern based key validation

This is the validation algorithm that is what is usually referred to as a serial key. It is based on the idea that only specific combinations of characters are to be considered valid, hence the name 'pattern based'. The strict definition is:

A key validation algorithm where one type of data (key) is present to the user, and which is validated by a set pattern. 

Since there are so many applications that have used this technique, it will not be possible to list all kinds of pattern based key validations, so it can be noted that as long as a set pattern is defined and there is only one type of data, it can be referred to as pattern based key validation.

Example 1

A pattern can be as simple as a restriction of which characters can be entered and how long the key can be. It might also be constructed in such a way that the last digit is dependent on the sum of all other digits in the key, for instance: say the key length is 10, and the last digit is the sum of all digits in front of it modulo 7. Below, an example of such key:

1234567891

The last digit is 1 since,

1+2+3+4+5+6+7+8+9 mod7=1

This can, of course, be made even more complex by adding more rules to the pattern. As a result, instead of allowing 109 possible combinations, because there are now 8 places where digits can be placed in any way, and for each of these ways there is going to be one 'last digit', there are now 108 different combinations that would satisfy this rule. There more rules, the less combinations that will satisfy that pattern.

Design the system

In order to construct such a system, there are at least two different approaches. One would be to work with Regular Expression (Reg Ex) or to use a specialized API for this particular task. In most cases, Reg Ex allows any kind of pattern validation that can later be extended by additional code logic. However, in case there is a need to set up a pattern based validation very quickly, specialized API can be used.

Reg Ex is a powerful tool that opens doors for various pattern recognitions. This makes it possible to use the pre-built rules to construct any kind of pattern based validation. In order to check keys using the pattern that was defined in the introduction, following code can be used:

C#
static void Main(string[] args)
{
    System.Text.RegularExpressions.Regex Check = new System.Text.RegularExpressions.Regex("\\d{10}");

    string key = "1234567891";

    if(Check.IsMatch(key))
    {
        //The key length is 5 and it consists of only digits, 
        //so the probability is high that we have the right key

        int sum = 0;

        for (int i = 0; i < key.Length -1; i++)
        {
            sum += key[i];
        }

        if( sum % 7 == (int)Char.GetNumericValue(key[key.Length-1]))
        {
            Console.WriteLine("Valid");
        }
        else
        {
            Console.WriteLine("Invalid");
        }
    }
    else
    {
        Console.WriteLine("Invalid");
    }

    Console.ReadLine();
}

The Reg Ex is used to see if the input string contains only 10 digits. Later on, using some logic, it can be checked that the last digit is following the rule.

In 2009, SKBL API was developed that would work as a specialized API for pattern based key validation, however, it should be noted that this is a universal idea, and it can be adjusted and optimized for specific needs.

The main idea is to construct two methods, one that will generate a key that follows this pattern and one that will validate a key to see if it follows the pattern. In the SKBL API, it was chosen to allow the developer to store the pattern as a string, where different symbols represent fragments of a small pattern(see Table 1). In order to make it even more complex, an ability to add functions that would calculate the modulo of a range of numbers in the key was added (see Table 2).

Now, in order to set up a pattern with the same rules as the one that was described in the beginning of this example, following pattern would be entered.

#########[+1,8/7]

DEFINITION:
Symbol Function
# A random number
* A random uppercase letter
@ A random lowercase letter
% A random lowercase or uppercase letter
? A random number or uppercase letter
! A random number or lowercase letter

Table 1: The basic definitions of small pattern fragments


FUNCTIONS: Definition: Description: Example: [XY] Generates a random [AC] = either A, B or C char from X-Y [ac] = either a, b or c [35] = either 3, 4 or 5 [XY] Takes the char's #[1/7] generates eg. 65 ASCII value at X since 6(54) ⇒ and 54 mod 7=5 mod the number Y [+X,Y/Z] Adds chars' ASCII ##[+1,2/7] generates eg. 182, where (or the digit 1+8 mod 7 = 6 values if it is a digit) at X and Y and takes mod Z.

Table 2: More complex fragments for construction of a pattern. Note that for the second and the third rule, the character that the function is using cannot not be after the the function itself, i.e. the key is read from left to right.

Example 2

Not only restriction of characters can be used as an example of pattern based key validation, but also explicit use of mathematical functions. The idea of this key validation was suggested by PaulG on StackOverflow}.

The idea behind this key validation technique is based on a simple concept in mathematics -- a function.

Image 1

Figure 1: A graph for generation an validation of serial keys.

In order to generate a key, a specific number of points should be noted down. For simplicity, three points are going to be used. In order to set specific boundaries for the size of the input and the output of the function, modular arithmetic can be used. The final points can be converted into for instance, base 26, which will only include letters in the output. The code below illustrates this idea.

C#
static void Main(string[] args)
{
    Func<int, long> function = x => x * (x - 1) * (x - 3);

    string key2 = CreateKey(function, 3456);
    Console.WriteLine(ValidateKey(key2, function, 3456));
    Console.ReadKey();
}

static string CreateKey(Func<int,long> f, int mod)
{
    System.Security.Cryptography.RNGCryptoServiceProvider rng = new System.Security.Cryptography.RNGCryptoServiceProvider();
    byte[] rndBytes = new byte[4];
    rng.GetBytes(rndBytes);
    int rand = modulo(BitConverter.ToInt32(rndBytes, 0), mod);
    int key = modulo(f(rand), mod);

    rng.GetBytes(rndBytes);
    int rand2 = modulo(BitConverter.ToInt32(rndBytes, 0), mod);
    int key2 = modulo(f(rand2), mod);

    rng.GetBytes(rndBytes);
    int rand3 = modulo(BitConverter.ToInt32(rndBytes, 0), mod);
    int key3 = modulo(f(rand3), mod); 

    decimal outputData = 1; //this could've been 0 too, however, in that case, we would need
                            //to take this into consideration when the key is deciphered (the length)

    outputData *= (decimal)Math.Pow(10, mod.ToString().Length);
    outputData += rand;
    outputData *= (decimal)Math.Pow(10, mod.ToString().Length); //maybe need a one somewhere to fill up the space
    outputData += key;
    outputData *= (decimal)Math.Pow(10, mod.ToString().Length);

    outputData += rand2;
    outputData *= (decimal)Math.Pow(10, mod.ToString().Length);
    outputData += key2;
    outputData *= (decimal)Math.Pow(10, mod.ToString().Length);

    outputData += rand3;
    outputData *= (decimal)Math.Pow(10, mod.ToString().Length);
    outputData += key3;

    string output = base10ToBase26(outputData.ToString());

    return output;
}

static bool ValidateKey(string key,Func<int,long> f, int mod)
{
    string base10 = base26ToBase10(key);
    int modLength = mod.ToString().Length;

    for (int i = 0; i < 3; i++)
    {
        if (modulo(f(Convert.ToInt32(base10.Substring(1, modLength))), mod) == Convert.ToInt32(base10.Substring(modLength + 1, modLength)))
        {
            base10 = base10.Substring(2 * modLength);
        }
        else
        {
            return false;
        }
    }

    return true;
}

static decimal maxModValue()
{
    //this is the maximum length of mod variable considering we
    //have 3 points (1 point = 2 values).
    return (decimal.MaxValue.ToString().Length - 1) / 6;
}

/* The functions below are simply to make the keys look better! the main logic is above this line. Please copy-paste those functions from: http://dev.artemlos.net/func/conf1.txt*/

Weaknesses

  • Almost all examples of pattern based key validation (except when there is a restriction for length, type of input, i.e. what can be restricted using Reg Ex), there is a data2 that is dependent on data1. This means that weaknesses of checksum based key validation should be considered when assessing a pattern based key validation.
  • A pattern of a valid key makes it more difficult to guess the right key, however, if a pattern allows too many keys to be valid, for example, if it is only restricted for digit input only, the probability is high that the key can be guessed.
  • The more keys that are available to the user, the more vulnerable is the pattern. For example, if the user knows that all keys have a common tendency, this can be used to find keys that would satisfy that pattern.

3. Information based key validation

This type of licensing system is one that can be used as an alternative to online based key validation (when the key is checked using an external database). Depending on how it is implemented, it can allow a very strong protection for an application.

A key validation algorithm where one type of data is present to the user. Some information is stored in the data also.

There are two different ways of implementing such a system. One is to use symmetrical cryptography, which will reduce the key length, and the other is to use asymmetrical cryptography, which generally will produce a larger key length.

Usually, there is a trade off involved. The securer an algorithm is, the longer the output key will be and the less information can be stored and considered useful (any information except for the checksum).

An algorithm of this kind contains at least two different types of encryptions. One is responsible for the checksum or the signature of the information and the other one is responsible for the encryption of both the checksum and the information. If the information inside the key is not confidential, which it should not be, the second encryption step can be avoided to save key output. This is then a clear example of checksum based key validation, where information is data1 which affects the checksum data2, and thus the limitations of checksum based key validation should be considered when assessing the vulnerability of a given system.

The structure of the information, i.e. what the information is built up from, for instance date of creation, set interval of time, et cetera, is similar to pattern based key validation. Depending on how the information is designed, and what type of information is stored, they both contribute to a pattern. Therefore, it should still be considered to use the second step of encryption, that is when both the checksum and the useful information are encrypted, even if the useful information in itself is not confidential, the way it is structured poses a threat to the licensing system. The less a user knows about the system, the securer the system is.

Symmetric cryptography

SKGL API contains an information storage structure similar to the one in Figure 2. It uses both a checksum to check for alteration of data and it also encrypts it together with the useful information.

Image 2

Figure 2: The architecture of a key generated with SKGL API.

Image 3

Table 3: An example of a key that follows the defined structure in Figure 2.

A possible key (decrypted), using the key structure in Figure 2 could be similar to:

(693937080 20120430 030 000 80966)10

In Table 3 an example of the different pieces of information can be seen.

During the construction of this algorithm, one of the conclusions that was drawn is that the checksum should be placed in the beginning of the key because it will contribute to a much greater change in the value of this large number, and thus a single change of the useful information will cause a notable change in the key in base 26.

It was also noticed that it is a good idea to check for the maximum and minimum values that a key can be. For example, the checksum function will output all possible combinations of nine digit numbers except for those smaller than 108, that is {n |108 n ≤ 109 -1 , n ∈ Z+}. Almost the same is assumed for the creation date, but instead it is all combinations of eight digit numbers, {n |0 ≤ n ≤ 108 -1 , n∈ Z+}. The set time can be any three digit number, {n |0 ≤ n ≤ 103 -1 , n ∈ Z+} and the Id is any five digit number {n |0 ≤ n ≤ 105 -1 , n ∈ Z+}. Since each feature can be either true or false and there are eight features in total, the maximum value is 28-1, so {n |0 ≤ n ≤ 28-1 , n ∈ Z+}. In this way, by proving that the largest key, that is, when n is as great as possible and the smallest key where n is as small as possible have the same key length in base 26, it can be claimed that all keys with these specifications are going to be of the same length in base 26. This is a good result not only for aesthetic purposes but also because there is now another pattern that keys are to follow in order to be valid. In order to quickly check whether the key is valid or invalid, this is one of the small checks that can be performed to reduce the time for a validation.

The key with the largest value would have the following value:

(999999999 99999999 999 255 99999)10=(NBFRV FEVRO CGGQU KZQCD)26

and the key with the smallest value would have following value:

(100000000 00000000 000 000 00000)10=(BHXZE SSRTY VAQGX MERIM)26

Therefore, as long as the n value is within its boundaries, the key will have a constant length.

Further development

The development of an information based key validation system requires consideration of the way the system can be optimized. In the SKGL API, it can be seen that the data is stored in radix 10 and later converted into radix 26. Given this, by letting the maximum value where features are stored be 29 -1 instead of 28 -1, it can be seen that the key with the largest value will still have a constant length, that is 25 characters. Thus nine features can be used instead, because the number of digits of 29 -1 will be the same as the number of digits of 28 -1, that is, 3 digits.

Since radix 10 is used, the data optimization is made in such a way that the maximum value for a specific part of the information, for example the creation date, is as close to the largest value that can be stored in radix 10 with the same number of digits.

To clarify this a bit more, because the maximum value of the creation date will be 108-1=99999999, it can be seen that the number of digits that has to be allocated is eight, and when this is compared to the maximum value that can be constructed in base 10 with eight digits, it is in fact also 108-1=99999999, so it can be said that this piece of information is optimized.

On the other hand, when analysing the storage of features, where the maximum value is 28-1, it can be seen that it is not entirely optimized. That is because the maximum value in base 10 that has three digits is 103 -1 = 999. Percentagewise, 28 - 1 is only 26% of 103 -1, thus 74% of the value is not used at all. Even if nine features would be allowed, where the maximum value would be 29 -1, in contrast to the largest possible three digit number, 103 - 1, it would constitute 51% only, which is roughly a half. Therefore, this is not an optimized way of storing that data, and it should be considered to choose base 2 instead because the initial data is stored in binary.

Asymmetric cryptography

This option is in most cases more secure than symmetric cryptography, because it works on the principle of digital signing. The public key is stored inside the client application, which can be used to verify the signature of the useful information. The private key that can generate these signatures is stored on a server or in the publisher's application.

There must be some applications that have implemented this idea. By searching through CodePlex, Activatar can be found, which works on the idea of public key cryptography. It uses RSA for the signature mechanism.

If such a system is to be designed now, it would be better to use Elliptic key cryptography since it will reduce the output key size and still be quite secure.

Weaknesses

  • The checksum is a function that generates a value data2 based on data1, so the weaknesses of checksum based key validation should be considered.
  • The way the information is arranged in the key and features like key length and type of information are rules the key should obey in order to be valid. In this way, if the key contains both a checksum function and uses the second step of encryption (when the checksum is encrypted together with the information), it is a good idea to review the weaknesses of pattern based key validation.

Conclusion

There are several conclusions we can draw from these different groups of key validation algorithms. First, the choice of a system depends on the information that is to be stored in the key. If there are only two license options, registered and unregistered, checksum based key validation or pattern based validation can be used. If, however, more information that has to be stored, information based key validation can be used instead. The second conclusion is that if a key validation system is to be set up at this point, online key validation should be considered also. That is because the validation method is not stored on the client's computer, and so cannot be found that easily. Online key validation also gives more control to the application developer since it makes it possible to block a key, or change any data associated with the key.

Bibliography

Appendix A - Help functions

This is the code that has to be added to Example 2 in Pattern based key validation section. It can also be downloaded at http://dev.artemlos.net/func/conf1.txt .

C#
 static string base10ToBase26(string s)
{
    char[] allowedLetters = "ABCDEFGHIJKLMNOPQRSTUVWXYZ".ToCharArray();

    decimal num = Convert.ToDecimal(s);
    int reminder = 0;

    char[] result = new char[s.ToString().Length + 1];
    int j = 0;


    while ((num >= 26))
    {
        reminder = Convert.ToInt32(num % 26);
        result[j] = allowedLetters[reminder];
        num = (num - reminder) / 26;
        j += 1;
    }

    result[j] = allowedLetters[Convert.ToInt32(num)];

    string returnNum = "";

    for (int k = j; k >= 0; k -= 1) 
    {
        returnNum += result[k];
    }
    return returnNum;

}
static string base26ToBase10(string s)
{
    string allowedLetters = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
    System.Numerics.BigInteger result = new System.Numerics.BigInteger();

    for (int i = 0; i <= s.Length - 1; i += 1)
    {
        BigInteger pow = powof(26, (s.Length - i - 1));
        result = result + allowedLetters.IndexOf(s.Substring(i, 1)) * pow;
    }
    return result.ToString();
}
static BigInteger powof(int x, int y)
{
    BigInteger newNum = 1;

    if (y == 0)
    {
        return 1;
    }
    else if (y == 1)
    {
        return x;
    }
    else
    {
        for (int i = 0; i <= y - 1; i++)
        {
            newNum = newNum * x;
        }
        return newNum;
    }
}
static int modulo(long _num, long _base)
{
    return (int)(_num - _base * Convert.ToInt64(Math.Floor((decimal)_num / (decimal)_base)));
} 

History

  • 27th April, 2014. Added anchor for navigation through the article, corrected the table of contents.
  • 26th April, 2014. Initial post.

License

This article, along with any associated source code and files, is licensed under The BSD License


Written By
Student
Sweden Sweden
My name is Artem, and I am a student at the School of Electrical Engineering and Computer Science at KTH Royal Institute of Technology.

Currently working on https://cryptolens.io.

Comments and Discussions

 
QuestionAbsolutely excellent article! Pin
aaava2-Jul-16 7:13
aaava2-Jul-16 7:13 
QuestionHow to make License for my C#.Net Windows Application so that it can expire after 3 months Pin
Mohsin Afzal14-Jul-15 22:28
professionalMohsin Afzal14-Jul-15 22:28 
AnswerRe: How to make License for my C#.Net Windows Application so that it can expire after 3 months Pin
WiiMaxx23-Jul-15 12:03
WiiMaxx23-Jul-15 12:03 
NewsExample of pattern based key validation Pin
Artem Los2-Jan-15 10:29
Artem Los2-Jan-15 10:29 
GeneralMy vote of 5 Pin
Humayun Kabir Mamun24-Sep-14 3:16
Humayun Kabir Mamun24-Sep-14 3:16 
GeneralRe: My vote of 5 Pin
Artem Los2-Jan-15 10:30
Artem Los2-Jan-15 10:30 
Generalmy vote of 5 Pin
djhuang27-May-14 19:10
djhuang27-May-14 19:10 
GeneralRe: my vote of 5 Pin
Artem Los28-Jun-14 21:56
Artem Los28-Jun-14 21:56 
QuestionGood one! Pin
Krishnan Srinivasan26-May-14 18:32
Krishnan Srinivasan26-May-14 18:32 
AnswerRe: Good one! Pin
Artem Los28-Jun-14 21:57
Artem Los28-Jun-14 21:57 
QuestionGreat sample code Pin
kiquenet.com5-May-14 0:22
professionalkiquenet.com5-May-14 0:22 
AnswerRe: Great sample code Pin
Artem Los8-May-14 5:33
Artem Los8-May-14 5:33 
GeneralRe: Great sample code Pin
kiquenet.com8-May-14 8:28
professionalkiquenet.com8-May-14 8:28 
SuggestionSome corrections and additions: Pin
_Noctis_29-Apr-14 16:24
professional_Noctis_29-Apr-14 16:24 
Sorry to be nitpicking, but:

* In the "Pattern based key validation", the sum isn't on the numbers, it's on their ASCII (so it's not the sum of 1 to 9, it's the sum of 49 to 57).
(As you can simply find out, the following is INCORRECT: 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + 9 mod 7 = 1). It's kind of mentioned afterward, but it should be mentioned before, since the claim would be wrong otherwise.

* The following is broken in the PDF:
1 Read more:
http://msdn.microsoft.com/en-us/library/system.text.regularexpressions.regex(v=
vs.110).aspx, Last accessed 2014.02.03

* The following should have a "the", between the "example," and the "following":
Now, in order to set up a pattern with the same rules as the one that was described in the beginning of this example, following pattern would be entered.
should be : "... of this example, the following pattern ..."

* Change the following
Weaknesses: Almost all examples
* to
Weaknesses: In almost all the examples

* change :
A key validation algorithm where one type of data is present to the user. Some information is stored in the data also.
* to
A key validation algorithm where one type of data is presented to the user. Some information is also stored in the data.

Good work otherwise Smile | :)
GeneralRe: Some corrections and additions: Pin
Artem Los30-Apr-14 22:06
Artem Los30-Apr-14 22:06 
GeneralRe: Some corrections and additions: Pin
_Noctis_30-Apr-14 22:31
professional_Noctis_30-Apr-14 22:31 
QuestionNice Work. Pin
McFadden, Scott (1 each)29-Apr-14 15:44
McFadden, Scott (1 each)29-Apr-14 15:44 
AnswerRe: Nice Work. Pin
Artem Los30-Apr-14 22:02
Artem Los30-Apr-14 22:02 
Question3 Pin
jfriedman29-Apr-14 3:48
jfriedman29-Apr-14 3:48 
GeneralMy vote of 4 Pin
darshan joshi28-Apr-14 19:28
darshan joshi28-Apr-14 19:28 
GeneralRe: My vote of 4 Pin
Artem Los30-Apr-14 22:01
Artem Los30-Apr-14 22:01 
GeneralMy vote of 5 Pin
Volynsky Alex28-Apr-14 11:22
professionalVolynsky Alex28-Apr-14 11:22 
GeneralRe: My vote of 5 Pin
Artem Los30-Apr-14 22:00
Artem Los30-Apr-14 22:00 
GeneralRe: My vote of 5 Pin
Volynsky Alex30-Apr-14 22:40
professionalVolynsky Alex30-Apr-14 22:40 

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

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