Adhika Setya Pramudita

Adhika Setya Pramudita

Collection of thoughts

31 May 2017

GSOC Bonding - Understanding current coala's aspect code

This post is part of my GSOC journey in coala.

Even though aspect project in coala still in its infancy, there are already exist a basic prototype of itself in coala codebase. Today, I’ll dive into these code and try to analyze the core part about aspect.

Seek First to Understand, then to be Understood

That is a quote from the 7 habbit of Stephen Covey. It is a habbit for social interaction, but idk, I’ll try to make some connection here because I feel like it. It is important that I understand how the aspect code work first, and then iI could improve it with confidence and get some idea on how to code, the style, and the design flow.

Overview

As of today, commit efa6727, coala have the the basic idea of what is an “aspect” is and a small aspect tree. All of this code can be found in coalib.bearlib.aspects module. Beside this, there also a small aspect code usage in coalib.bears class that used to bind a aspect into Bear class. And also, according to coala strict 100% code coverage, we have plenty of test to make sure the aspect code is healthy and working.

Let’s start with the overviews of files under coalib.bearlib.aspects module.

Glossary

Before going further, I will explain some of few keyterm used.

Defining aspect in base.py

Next, let’s take a look first on how aspect defined inside base.py.

 1class aspectbase:
 2
 3    def __init__(self, language, **taste_values):
 4        # bypass self.__setattr__
 5        self.__dict__['language'] = Language[language]
 6        for name, taste in type(self).tastes.items():
 7            if taste.languages and language not in taste.languages:
 8                if name in taste_values:
 9                    raise TasteError('%s.%s is not available for %s.' % (
10                        type(self).__qualname__, name, language))
11            else:
12                setattr(self, name, taste_values.get(name, taste.default))
13
14    def __eq__(self, other):
15        return type(self) is type(other) and self.tastes == other.tastes
16
17    @property
18    def tastes(self):
19        return {name: self.__dict__[name] for name in type(self).tastes
20                if name in self.__dict__}
21
22    def __setattr__(self, name, value):
23        if name not in type(self).tastes:
24            raise AttributeError(
25                "can't set attributes of aspectclass instances")
26        super().__setattr__(name, value)

Class aspectbase serve as the parent class of every aspect in coala. From reading the __init__ method, we know that aspect has 2 type of “attribute”, which is language and tastes. An aspect’s language attribute is a Language object taken from coalang (coalib.bearlib.languages) modules.

After that, the taste attribute is initialized.

1for name, taste in type(self).tastes.items():
2    if ...:
3        # skipped
4    else:
5        setattr(self, name, taste_values.get(name, taste.default))

First, in the else section, all the taste from an aspect definition will be initialized to the aspectinstance. If we define a custom value for a taste, that value will override the default one.

1if taste.languages and language not in taste.languages:
2    if name in taste_values:
3        raise TasteError('%s.%s is not available for %s.' % (
4            type(self).__qualname__, name, language))

The if part above is handling the case when an aspectinstance was initialized with a custom taste value under the language that the taste itself doesn’t support. In that case, the whole initialization will raise a TasteError exception.

In short, we could instance an aspect like this:

1>>> LineLength('Python')
2<....Root.Formatting.LineLength object at 0x...>
3
4>>> LineLength('Python').tastes
5{'max_line_length': 80}
6
7>>> LineLength('Python', max_line_length=100).tastes
8{'max_line_length': 100}

Let’s move on to the next function, shall we.

1def __eq__(self, other):
2    return type(self) is type(other) and self.tastes == other.tastes

Overriding the === operator to compare the type object, make sure it has the same metaclass aspectclass (more on this metaclass later), and have the same tastes set.

1@property
2def tastes(self):
3    return {name: self.__dict__[name] for name in type(self).tastes
4        if name in self.__dict__}

Binding all taste into a single callable dict object for convience. So the LineLength('Python').tastes will be possible. The @property decorator make the tastes attribute kind of a readonly attribute of an aspect class.

1def __setattr__(self, name, value):
2if name not in type(self).tastes:
3    raise AttributeError(
4        "can't set attributes of aspectclass instances")
5super().__setattr__(name, value)

Block any attempt to add another taste object into this after instatiation. The tastes list is kind of immutable.

Inter aspect relation in meta.py

Aspect is structured like a tree. Last month, I wrote a small script that traverse these tree and generate the tree diagram.

aspect tree diagram

The meta.py hold the metaclass declaration that responsible to link a parent aspect and it’s children aspect, recursively. Also, this metaclass hold a clever function/decorator to automatically handle this linking process when declaring the children aspect. Let’s take a look at the code.

1class aspectclass(type):
2    def __init__(cls, clsname, bases, clsattrs):
3        """
4        Initializes the ``.subaspects`` dict on new aspectclasses.
5        """
6        cls.subaspects = {}

Each aspect should have dictionary called subaspects that hold its children.

 1    @property
 2    def tastes(cls):
 3        """
 4        Get a dictionary of all taste names mapped to their
 5        :class:`coalib.bearlib.aspects.Taste` instances.
 6        """
 7        if cls.parent:
 8            return dict(cls.parent.tastes, **cls._tastes)
 9
10        return dict(cls._tastes)

Define a property to access tastes. The cls._tastes attribute was defined manually in the Root aspect as an empty dict. Later, the children aspect will fill their _tastes with their own tastes and the parent’s tastes. More on this later. Note that the tastes function on aspectbase was actually refering to this function for the implementation detail. This was the actual method used when we call LineLength('Python').tastes.

 1    def subaspect(cls, subcls):
 2        """
 3        The sub-aspectclass decorator.
 4
 5        See :class:`coalib.bearlib.aspects.Root` for description
 6        and usage.
 7        """
 8        aspectname = subcls.__name__
 9
10        docs = getattr(subcls, 'docs', None)
11        aspectdocs = Documentation(subcls.__doc__, **{
12            attr: getattr(docs, attr, '') for attr in
13            list(signature(Documentation).parameters.keys())[1:]})
14
15        # search for tastes in the sub-aspectclass
16        subtastes = {}
17        for name, member in getmembers(subcls):
18            if isinstance(member, Taste):
19                # tell the taste its own name
20                member.name = name
21                subtastes[name] = member
22
23        class Sub(subcls, aspectbase, metaclass=aspectclass):
24            __module__ = subcls.__module__
25
26            parent = cls
27
28            docs = aspectdocs
29            _tastes = subtastes
30
31        members = sorted(Sub.tastes)
32        if members:
33            Sub = generate_repr(*members)(Sub)
34
35        Sub.__name__ = aspectname
36        Sub.__qualname__ = '%s.%s' % (cls.__qualname__, aspectname)
37        cls.subaspects[aspectname] = Sub
38        setattr(cls, aspectname, Sub)
39        return Sub

This not-so-simple subaspect method is the decorator used to declare and link a children aspect to its parent. I will describe this method part by part.

1aspectname = subcls.__name__

Save the children aspect name for further reference.

1docs = getattr(subcls, 'docs', None)
2aspectdocs = Documentation(subcls.__doc__, **{
3    attr: getattr(docs, attr, '') for attr in
4    list(signature(Documentation).parameters.keys())[1:]})

Setup the Documentation object of the aspect children.

1subtastes = {}
2for name, member in getmembers(subcls):
3    if isinstance(member, Taste):
4        # tell the taste its own name
5        member.name = name
6        subtastes[name] = member

Search and collect every Taste object that declared on the aspect children class and append it to subtastes dict.

1class Sub(subcls, aspectbase, metaclass=aspectclass):
2    __module__ = subcls.__module__
3
4    parent = cls
5
6    docs = aspectdocs
7    _tastes = subtastes

Declaring class to serve as “prototype” object that will override the aspect children class.

1members = sorted(Sub.tastes)
2if members:
3    Sub = generate_repr(*members)(Sub)

Just auto generating the tastes string representation.

1Sub.__name__ = aspectname
2Sub.__qualname__ = '%s.%s' % (cls.__qualname__, aspectname)

Declaring children aspect shortname as __name__ and its fully qualified name that contain its parent name too as __qualname__.

1cls.subaspects[aspectname] = Sub

Reference back the children aspect on its parent aspect.

1return Sub

Return the modified class. So this function could be used as decorator for a class.

Summary

The aspect in coala was defined on 2 part, its base class aspectbase serve as the foundation that define its basic characteristic and how we can declare a basic aspect. Next we have the metaclass aspectclass that responsible for parent-children relationship of an aspect and provide utility function to declare new child aspect.