Chris Padilla/Blog

My passion project! Posts spanning music, art, software, books, and more
You can follow by RSS! (What's RSS?) Full archive here.

    Comparison Sorting in Python

    Of all the pages of official docs in Python, the page on sorting by Andrew Dalke and Raymond Hettinger may be my favorite. Clear, gradually continues on in complexity, and provides ample examples along the way.

    Here's my situation this week: Simple enough, I needed to sort a list of dictionaries by a property on those dictionaries:

    data = [
        {
            'name': 'Chris',
            'count': 5,
        },
        {
            'name': 'Lucy',
            'count': 3,
        },
        {
            'name': 'Clyde',
            'count': 3,
        },
        {
            'name': 'Miranda',
            'count': 10,
        },
    ]

    To sort by the count, I could pass a lambda to access the property on the dict:

    sorted(data, key=lambda x: x['count'])

    Say that the counts are equal as it is with Lucy and Clyde in my example. If so, I would want to sort by the name.

    Returning a tuple covers that:

    sorted(data, key=lambda x: (x['count'], x['name']))

    To reverse the order, there's a named property for that:

    sorted(data, key=lambda x: (x['count'], x['name']), reverse=True)

    Problem all sorted out!


    Filter for the First Match in Python

    match = next(x for x in db_data if x["PropertyId"] == parsed_incoming_data["PropertyId"])

    Breaking it down:

    • next() returns the first value of an iterator. In subsequent calls, it would return the following item.
    • next requires an iterator. An iterator yields number of objects on the fly. This is different from a list which contains and stores values. Lists and tuples can be converted to iterators with the iter() method.
    • In my example above, the list comprehension x for x in db_data above yields an iterator, covering our type requirement for next.
    • We're filtering by matching another value: if x['PropertyId'] == parsed_incoming_data['propertyId]

    Voilà! Filtering for a match in one line.


    Jody Fisher – Triad Etude

    Listen on Youtube

    Enjoying the space of these chords 😌


    Sunset Foliage

    Loooove these brush strokes

    An outdoor study


    Abstraction between React Components

    As Jamison Dance put it in this week's episode of the Soft Skills Engineering podcast: "It takes just one more level of abstraction to be a great engineer!"

    A task at work this week had me looking to decouple one of our components that uses a third party library. Let's say it's a bar graph that uses something like Chartist.js. We want to be able to reuse this chart in both full page settings as well as where it's a widget inserted into a page. In one case, clicking a bar would open a tooltip. In another, it may link to another page.

    Normally, here are my considerations for doing that:

    1. From the base component, elevate as much of the logic as possible. The child should essentially be a "view" component only concerned with rendering data.
    2. Pass any interactivity down through callbacks such as "onClick", "onMouseEnter", etc.

    That works fine in this example below:

    const BarGraphContainer = (props) => {
        const dispatch = useDispatch();
    
        const onClickBar = (segment) => {
            dispatch(actions.openModal(segment));
        };
    
        return (
            <BarGraph
                onClickBar={onClickBar}
            />
        );
    };

    The Problem

    In this instance, the base component is handling a third party library for initialization, setup, and much of the internal interactions. In some cases, I want to control firing off an event in that internal library (ex: opening a tool tip on click). But in other cases, I want an external behavior (linking away or opening a modal.)

    Passing Context Up Stream

    An interesting solution I came up with was one that I had seen in other libraries and ecosystems: Passing context to the callback.

    When considering passing callbacks in react, a simple use case typically only passes an event object.

    const onClick (e) => e.preventDefault();

    However, if I need access to the internal API of our third party library, I can pass that up through the callback as well. Even batter, I can abstract most of the internal workings of the library with a wrapper function. Take a look at the example:

    const BarWidgetContainer = (props) => {
        const onClickBar = (segment, graphContext) => {
            graphContext.renderToolTip(segment);
        };
    
        return (
            <BarGraph
                onClickBar={onClickBar}
            />
        );
    };

    Here, the renderToolTip function likely has a great deal of logic specific to the library I'm interfacing with. At a higher level, though, I don't have to worry about that at all. I can simply call for that functionality if needed from a level of abstraction.

    Use Cases

    As mentioned, the abstraction is great for providing flexibility without complexity. Consumers of the component can interface with the internals without getting into the weeds of it.

    A major con, though, is the added decoupling. In most cases, this could be seen as an anti-pattern in React given the uni-directional flow that's preferred in the ecosystem.

    Considering these points, we ultimate decided on another solution that allowed for the parent to child data flow. It makes the most sense for our situation since it keeps our code cleaner. Realistically, we're also only using this component in a hand full of use cases.

    But why did I write this up, then? I'm keeping the pattern in my back pocket. Situations where I can see this being useful are in broader use cases. Say that instead of our internal React component, this were part of a larger library consumed by more users. The trade off of coupling for abstraction and flexibility might make sense in a more widely used library. That's likely why it's a frequent pattern in open source tools, after all.

    It was a fun experiment this week! Saving this pattern for another time.