Fuzzy Inference System implementation in Python

Wed June 24, 2020
fuzzy type1-fuzzy python

This article was first published in Towards Data Science.

Introduction

In a previous article, we discussed the basics of fuzzy sets and fuzzy inferencing. The report also illustrated the construction of a possible control application using a fuzzy inferencing method. In this article, we will build a multi-input/multi-output fuzzy inference system using the Python programming language. It is assumed that the reader has a clear understanding of fuzzy inferencing and has read the article mentioned previously.

All the code listed in this article is available on Github.

System Architecture

The diagram below illustrates the structure of the application. The design is based on several considerations on Fuzzy Inference Systems, some being:

if {antecedent clauses} then {consequent clauses}

Therefore a rule will contain several clauses of antecedent type and some clauses of consequent type. Clauses will be of the form:

{variable name} is {set name}

packages

We will discuss some implementation details of the classes developed for this system in the following sections:

FuzzySet class

A FuzzySet requires the following parameters so that it can be initiated:

It is, therefore, possible to represent a fuzzy set by using two numpy arrays; one that will hold the domain values and one that will hold the degree-of-membership values. Initially, all degree-of-membership values will be all set to zero. It can be argued that if the minimum and maximum values are available together with the resolution of the set, the domain numpy array is not required as the respective values can be calculated. While this is perfectly true, a domain array was preferred in this example project so that the code is more readable and simple.

def create_triangular(cls, name, domain_min, 
    domain_max, res, a, b, c):

  t1fs = cls(name, domain_min, domain_max, res)

  a = t1fs._adjust_domain_val(a)
  b = t1fs._adjust_domain_val(b)
  c = t1fs._adjust_domain_val(c)

  t1fs._dom = np.round(np.maximum(np.minimum
    ((t1fs._domain-a)/(b-a), (c-t1fs._domain)/(c-b))
    , 0), t1fs._precision)

In the context of a fuzzy variable, all the sets will have the same minimum, maximum and resolution values.

As we are dealing with a discretized domain, it will be necessary to adjust any value used to set or retrieve the degree-of-membership to the closest value in the domain array.

def _adjust_domain_val(self, x_val):
  return self._domain[np.abs(
      self._domain-x_val).argmin()]

The class contains methods whereby a set of a given shape can be constructed given a corresponding number of parameters. In the case of a triangular set, for example, three parameters are provided, two that define the extents of the sets and one for the apex. It is possible to construct a triangular set by using these three parameters as can be seen in the figure below.

set creation

Since the sets are based on numpy arrays, the equation above can be translated directly to code, as can be seen below. Sets having different shapes can be constructed using a similar method.

def create_triangular(cls, name, domain_min, 
    domain_max, res, a, b, c):

  t1fs = cls(name, domain_min, domain_max, res)

  a = t1fs._adjust_domain_val(a)
  b = t1fs._adjust_domain_val(b)
  c = t1fs._adjust_domain_val(c)

  t1fs._dom = np.round(np.maximum(np.minimum(
      (t1fs._domain-a)/(b-a), 
      (c-t1fs._domain)/(c-b)), 0),
       t1fs._precision)

The FuzzySet class also contains union, intersection and negation operators that are necessary so that inferencing can take place. All operator methods return a new fuzzy set with the result of the operation that took place.

def union(self, f_set):

    result = FuzzySet(
        f'({self._name}) union ({f_set._name})', 
        self._domain_min, 
        self._domain_max, self._res)

    result._dom = np.maximum(self._dom, f_set._dom)

    return result

Finally, we implemented the ability to obtain a crisp result from a fuzzy set using the centre-of-gravity method that is referred to in some detail in the previous article. It is important to mention that there is a large number of defuzzification methods are available in the literature. Still, as the centre-of-gravity method is overwhelmingly popular, it is used in this implementation.

def cog_defuzzify(self):

  num = np.sum(
      np.multiply(self._dom, self._domain))
  
  den = np.sum(self._dom)

  return num/den

Fuzzy Variable classes

variable classes

As discussed previously, variables can be of input or output in type, with the difference affecting the fuzzy inference calculation. A FuzzyVariable is a collection of sets that are held in a python dictionary having the set name as the key. Methods are available to add FuzzySets to the variable, where such sets will take the variable’s limits and resolution.

For input variables, fuzzification is carried out by retrieving the degree-of-membership of all the sets in the variable for a given domain value. The degree-of-membership is stored in the set as it will be required by the rules when they are evaluated.

def fuzzify(self, val):

    # get dom for each set and store it -
    # it will be required for each rule
    for set_name, f_set in self._sets.items():
        f_set.last_dom_value = f_set[val]

Output variables will ultimately produce the result of a fuzzy inference iteration. This means that for Mamdani-type systems, as we are building here, output variables will hold the union of the fuzzy contributions from all the rules, and will subsequently defuzzify this result to obtain a crisp value that can be used in real-life applications.

Therefore, output variables will require an additional FuzzySet attribute that will hold the output distribution for that variable, where the contribution that was resulting from each rule and added using the set union operator. The defuzzification result can then be obtained by calling the centre-of-gravity method for output distribution set.

class FuzzyOutputVariable(FuzzyVariable):

    def __init__(self, name, min_val, max_val, res):
        super().__init__(name, min_val, 
            max_val, res)
        self._output_distribution = 
            FuzzySet(name, min_val, max_val, res)

    def add_rule_contribution(self, 
        rule_consequence):
        
        self._output_distribution = 
            self._output_distribution.union(
                rule_consequence)

    def get_crisp_output(self):
        return 
           self._output_distribution.cog_defuzzify()

Fuzzy Rules classes

The FuzzyClause class requires two attributes; a fuzzy variable and a fuzzy set so that the statement

variable is set

can be created. Clauses are used to implement statements that can be chained together to form the antecedent and consequent parts of the rule. When used as an antecedent clause, the FuzzyClause returns the last degree-of-membership value of the set, that is calculated during the fuzzification stage as we have seen previously.

The rule will combine the degree-of-membership values from the various antecedent clauses using the min operator, obtaining the rule activation that is then used in conjunction with the consequent clauses to obtain the contribution of the rule to the output variables. This operation is a two-step process:

# execution methods for a FuzzyClause
# that contains a FuzzyVariable;
#  _variable
# and a FuzzySet; _set
  
def evaluate_antecedent(self):
    return self._set.last_dom_value

def evaluate_consequent(self, activation):
    self._variable.add_rule_contribution(
        self._set.min_scalar(activation))

The FuzzyRule class will, therefore, require two attributes:

During the execution of the FuzzyRule, the procedure explained above is carried out. The FuzzyRule coordinates all the tasks by utilizing all the various FuzzyClauses as appropriate.

def evaluate(self):
    # rule activation initialize to
    # 1 as min operator will be performed
    rule_activation = 1

    # execute all antecedent clauses,
    # keeping the minimum of the returned
    # doms to determine the activation
    for ante_clause in self._antecedent:
        rule_activation =
            min(ante_clause.evaluate_antecedent(),
            rule_activation)

    # execute consequent clauses, each output 
    # variable will update its 
    # output_distribution set
    for consequent_clause in self._consequent:
        consequent_clause.evaluate_consequent(
            rule_activation)

Fuzzy System Class — Bringing it all together.

At the topmost level of this architecture, we have the FuzzySystem that coordinates all activities between the FuzzyVariables and FuzzyRules. Hence the system contains the input and output variables, that are stored in python dictionaries using variable-names as keys and a list of the rules.

One of the challenges presented at this stage is the method that the end-user will use to add rules, that should ideally abstract the implementation detail of the FuzzyClause classes. The method that was implemented consists of providing two python dictionaries that will contain the antecedent and consequent clauses of the rule in the following format;

variable name : set name

A more user-friendly method is to provide the rule as a string and then parse that string to create the rule, but this seemed an unnecessary overhead for a demonstration application.

    def add_rule(self, antecedent_clauses, consequent_clauses):
        '''
        adds a new rule to the system.
        Arguments:
        -----------
        antecedent_clauses -- dict,
            {variable_name:set_name, ...}
        consequent_clauses -- dict,
            {variable_name:set_name, ...}
        '''
        # create a new rule
        new_rule = FuzzyRule()

        for var_name, set_name in
            antecedent_clauses.items():

            # get variable by name
            var = self.get_input_variable(var_name)

            # get set by name

            f_set = var.get_set(set_name)

            # add clause
            new_rule.add_antecedent_clause(
                var, f_set)

        for var_name, set_name in
            consequent_clauses.items():

            var = self.get_output_variable(var_name)

            f_set = var.get_set(set_name)

            new_rule.add_consequent_clause(
                var, f_set)

        # add the new rule
        self._rules.append(new_rule)

Addition of a new rule to the FuzzySystem

The execution of the inference process can be achieved with a few lines of code given this structure, where the following steps are carried out;

  1. The output distribution sets of all the output variables are cleared.
  2. The input values to the system are passed to the corresponding input variables so that each set in the variable can determine its degree-of-membership for that input value.
  3. Execution of the Fuzzy Rules takes place, meaning that the output distribution sets of all the output variables will now contain the union of the contributions from each rule.
  # clear the fuzzy consequences
  # as we are evaluating a new set of inputs.
  # can be optimized by comparing if the inputs
  # have changes from the previous
  # iteration.
  self._clear_output_distributions()

  # Fuzzify the inputs. The degree of membership
  # will be stored in each set

  for input_name, input_value in 
    input_values.items():
    
    self._input_variables[input_name].fuzzify(
        input_value)

  # evaluate rules
  for rule in self._rules:
    rule.evaluate()

  # finally, defuzzify all output distributions 
  # to get the crisp outputs
  
  output = {}
  for output_var_name, output_var in 
    self._output_variables.items():

    output[output_var_name] =
        output_var.get_crisp_output()

  return output

As a final note, the Fuzzy Inferencing System implemented here contains additional functions to plot fuzzy sets and variables and to obtain information about an inference step execution.

Library Use Example

In this section, we will discuss the use of the fuzzy inference system. In particular, we will implement the fan speed case study that was designed in the previous article in this series.

A fuzzy system begins with the consideration of the input and output variables, and the design of the fuzzy sets to explain that variable.

The variables will require a lower and upper limit and, as we will be dealing with discrete fuzzy sets, the resolution of the system. Therefore a variable definition will look as follows

temp = FuzzyInputVariable('Temperature', 10, 40, 100)

where the variable ‘Temperature’ ranges between 10 and 40 degrees and is discretized in 100 bins.

The fuzzy sets define for the variable will require different parameters depending on their shape. In the case of triangular sets, for example, three parameters are needed, two for the lower and upper extremes having a degree of membership of 0 and one for the apex which has a degree-of-membership of 1. A triangular set definition for variable ‘Temperature’ can, therefore, look as follows;

temp.add_triangular('Cold', 10, 10, 25)

where the set called ‘Cold’ has extremes at 10 and 25 and apex at 10 degrees. In our system, we considered two input variables, ‘Temperature’ and ‘Humidity’ and a single output variable ‘Speed’. Each variable us described by three fuzzy sets. The definition of the output variable ‘Speed’ looks as follows:

motor_speed = FuzzyOutputVariable('Speed', 
    0, 100, 100)
motor_speed.add_triangular('Slow', 0, 0, 50)
motor_speed.add_triangular('Moderate', 10, 50, 90)
motor_speed.add_triangular('Fast', 50, 100, 100)

As we have seen before, the fuzzy system is the entity that will contain these variables and fuzzy rules. Hence the variables will have to be added to a system as follows:

system = FuzzySystem() 
system.add_input_variable(temp) 
system.add_input_variable(humidity)
system.add_output_variable(motor_speed)

Fuzzy Rules

A fuzzy system executes fuzzy rules to operate of the form

If x1 is S and x2 is M then y is S

where the If part of the rule contains several antecedent clauses and the then section will include several consequent clauses. To keep things simple, we will assume rules that require an antecedent clause from each input variable and are only linked together with an ‘and’ statement. It is possible to have statements linked by ‘or’ and statements can also contain operators on the sets like ‘not’.

The simplest way to add a fuzzy rule to our system is to provide a list of the antecedent clauses and consequent clauses. One method of doing so is by using a python dictionary that contains

Variable:Set entries for the clause sets. Hence the above rule can be implemented as follows:

system.add_rule(  
{ 'Temperature':'Cold',
'Humidity':'Wet' },
{ 'Speed':'Slow'})

Execution of the system involves inputting values for all the input variables and getting the values for the output values in return. Again this is achieved through the use of dictionaries that us the name of the variables as keys.

output = system.evaluate_output({
'Temperature':18,
'Humidity':60  })

The system will return a dictionary containing the name of the output variables as keys, and the defuzzified result as values.

Conclusion

In this article, we have looked at the practical implementation of a fuzzy inference system. Whilst the library presented here will require some further work so that it can be used in real projects, including validation and exception handling, it can serve as the basis for projects that require Fuzzy Inferencing. It is also recommended to look at some open-source projects that are available, in particular skfuzzy, a fuzzy logic toolbox for SciPy. In the next article, we will examine ways whereby a fuzzy system can be created from a dataset so that that fuzzy logic can be used in machine learning scenarios. Similarly to this introduction to Fuzzy Logic concepts, a practical article will follow.




Paper Implementation - Uncertain rule-based fuzzy logic systems Introduction and new directions-Jerry M. Mendel; Prentice-Hall, PTR, Upper Saddle River, NJ, 2001,    555pp., ISBN 0-13-040969-3. Example 9-4, page 261

October 8, 2022
type2-fuzzy type2-fuzzy-library fuzzy python IT2FS paper-workout

Type Reduction of Interval Type-2 Fuzzy Sets

April 6, 2022
type2-fuzzy type2-fuzzy-library fuzzy python IT2FS

Paper Implementation - C. Wagner and H. Hagras. 'Toward general type-2 fuzzy logic systems based on zSlices.'

A look at C. Wagner and H. Hagras. 'Toward general type-2 fuzzy logic systems based on zSlices.', working of paper examples using T2Fuzz Library
type2-fuzzy paper-workout type2-fuzzy-library fuzzy python
comments powered by Disqus


machine-learning 27 python 21 fuzzy 14 azure-ml 11 hugo_cms 11 linear-regression 10 gradient-descent 9 type2-fuzzy 8 type2-fuzzy-library 8 type1-fuzzy 5 cnc 4 dataset 4 datastore 4 it2fs 4 excel 3 paper-workout 3 r 3 c 2 c-sharp 2 experiment 2 hyperparameter-tuning 2 iot 2 model-optimization 2 programming 2 robotics 2 weiszfeld_algorithm 2 arduino 1 automl 1 classifier 1 computation 1 cost-functions 1 development 1 embedded 1 fuzzy-logic 1 game 1 javascript 1 learning 1 mathjax 1 maths 1 mxchip 1 pandas 1 pipeline 1 random_walk 1 roc 1 tools 1 vscode 1 wsl 1