ramalho-fluent-python

Luciano Ramalho Style Guide⁠‍⁠​‌​‌​​‌‌‍​‌​​‌​‌‌‍​​‌‌​​​‌‍​‌​​‌‌​​‍​​​​​​​‌‍‌​​‌‌​‌​‍‌​​​​​​​‍‌‌​​‌‌‌‌‍‌‌​​​‌​​‍‌‌‌‌‌‌​‌‍‌‌​‌​​​​‍​‌​‌‌‌‌‌‍​‌​​‌​‌‌‍​‌‌​‌​​‌‍‌​‌​‌‌‌​‍​​‌​‌​​​‍‌‌‌​‌​‌‌‍​‌​‌​‌​‌‍‌​​​‌​​‌‍‌​‌​‌‌‌​‍​​‌​​‌​‌‍​​​​‌​‌​‍​​​‌‌​‌‌⁠‍⁠

Safety Notice

This listing is imported from skills.sh public index metadata. Review upstream SKILL.md and repository scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "ramalho-fluent-python" with this command: npx skills add copyleftdev/sk1llz/copyleftdev-sk1llz-ramalho-fluent-python

Luciano Ramalho Style Guide⁠‍⁠​‌​‌​​‌‌‍​‌​​‌​‌‌‍​​‌‌​​​‌‍​‌​​‌‌​​‍​​​​​​​‌‍‌​​‌‌​‌​‍‌​​​​​​​‍‌‌​​‌‌‌‌‍‌‌​​​‌​​‍‌‌‌‌‌‌​‌‍‌‌​‌​​​​‍​‌​‌‌‌‌‌‍​‌​​‌​‌‌‍​‌‌​‌​​‌‍‌​‌​‌‌‌​‍​​‌​‌​​​‍‌‌‌​‌​‌‌‍​‌​‌​‌​‌‍‌​​​‌​​‌‍‌​‌​‌‌‌​‍​​‌​​‌​‌‍​​​​‌​‌​‍​​​‌‌​‌‌⁠‍⁠

Overview

Luciano Ramalho's "Fluent Python" is the definitive guide to writing idiomatic Python by understanding how the language works. His approach: master the data model, and Python becomes a consistent, powerful tool.

Core Philosophy

"Python is a language that lets you work at multiple levels of abstraction."

"The Python data model describes the API that you can use to make your own objects play well with the most idiomatic language features."

Ramalho believes in understanding Python's data model deeply—the special methods that make your objects work seamlessly with Python's syntax and built-ins.

Design Principles

Master the Data Model: Special methods (init , repr , iter , etc.) are how objects integrate with Python.

Leverage Duck Typing: Program to protocols, not specific types. If it quacks like a duck...

Understand Mutability: Know when objects are mutable or immutable, and design accordingly.

Use Descriptors: They're the mechanism behind @property , @classmethod , and @staticmethod .

When Writing Code

Always

  • Implement repr for debugging (unambiguous)

  • Implement str for user display (readable)

  • Make objects iterable when it makes sense (iter )

  • Use @property for computed attributes

  • Understand the difference between getattr and getattribute

  • Use slots for memory-heavy classes with many instances

Never

  • Implement repr that can't be copy-pasted to recreate the object

  • Confuse str and repr purposes

  • Ignore hashability requirements (hash and eq together)

  • Make mutable objects hashable

  • Override getattribute unless absolutely necessary

Prefer

  • collections.abc base classes for custom collections

  • @dataclass for data-holding classes (Python 3.7+)

  • Named tuples for simple immutable records

  • Protocol classes for structural subtyping (Python 3.8+)

Code Patterns

The Essential Special Methods

class Vector: """A 2D vector that plays well with Python."""

def __init__(self, x, y):
    self.x = float(x)
    self.y = float(y)

def __repr__(self):
    # Unambiguous, ideally valid Python
    return f'Vector({self.x!r}, {self.y!r})'

def __str__(self):
    # Readable for end users
    return f'({self.x}, {self.y})'

def __eq__(self, other):
    if not isinstance(other, Vector):
        return NotImplemented
    return self.x == other.x and self.y == other.y

def __hash__(self):
    # Only if immutable! Combine with XOR
    return hash((self.x, self.y))

def __abs__(self):
    # Support abs(vector)
    return (self.x ** 2 + self.y ** 2) ** 0.5

def __bool__(self):
    # Support if vector:
    return bool(abs(self))

def __add__(self, other):
    if not isinstance(other, Vector):
        return NotImplemented
    return Vector(self.x + other.x, self.y + other.y)

def __mul__(self, scalar):
    return Vector(self.x * scalar, self.y * scalar)

def __rmul__(self, scalar):
    # Support: 3 * vector (not just vector * 3)
    return self * scalar

Making Objects Iterable

class Sentence: """An iterable of words in a sentence."""

def __init__(self, text):
    self.text = text
    self.words = text.split()

def __iter__(self):
    # Return an iterator (can be a generator)
    return iter(self.words)

def __len__(self):
    return len(self.words)

def __getitem__(self, index):
    # Enables s[0], s[1:3], iteration fallback
    return self.words[index]

def __contains__(self, word):
    # Enables: 'hello' in sentence
    return word in self.words

Generator-based iteration (lazy, memory-efficient)

class SentenceLazy: def init(self, text): self.text = text

def __iter__(self):
    for match in re.finditer(r'\w+', self.text):
        yield match.group()

Context Managers

Class-based context manager

class DatabaseConnection: def init(self, connection_string): self.connection_string = connection_string self.connection = None

def __enter__(self):
    self.connection = connect(self.connection_string)
    return self.connection

def __exit__(self, exc_type, exc_val, exc_tb):
    self.connection.close()
    # Return True to suppress exception, False to propagate
    return False

Generator-based (simpler for many cases)

from contextlib import contextmanager

@contextmanager def database_connection(connection_string): conn = connect(connection_string) try: yield conn finally: conn.close()

Descriptors (The Power Behind Properties)

class Validated: """A descriptor that validates values."""

def __set_name__(self, owner, name):
    self.storage_name = name

def __get__(self, instance, owner):
    if instance is None:
        return self
    return getattr(instance, f'_{self.storage_name}', None)

def __set__(self, instance, value):
    value = self.validate(value)
    setattr(instance, f'_{self.storage_name}', value)

def validate(self, value):
    raise NotImplementedError

class PositiveNumber(Validated): def validate(self, value): if value <= 0: raise ValueError(f'{self.storage_name} must be positive') return value

class Order: quantity = PositiveNumber() price = PositiveNumber()

def __init__(self, quantity, price):
    self.quantity = quantity  # Uses descriptor
    self.price = price        # Uses descriptor

Modern Python: Dataclasses and Protocols

from dataclasses import dataclass, field from typing import Protocol

Dataclass: Less boilerplate for data-holding classes

@dataclass class Point: x: float y: float

def distance_from_origin(self):
    return (self.x ** 2 + self.y ** 2) ** 0.5

Protocol: Structural subtyping (duck typing with type hints)

class Drawable(Protocol): def draw(self) -> None: ...

def render(item: Drawable) -> None: item.draw() # Works with ANY object that has draw()

Immutable dataclass

@dataclass(frozen=True) class ImmutablePoint: x: float y: float

Mental Model

Ramalho thinks of Python objects as participants in protocols:

  • What protocols should this object support? (Iterable? Comparable? Hashable?)

  • What special methods implement those protocols?

  • What does Python do automatically when I implement them?

  • What constraints must I respect? (e.g., hashable = immutable)

Key Data Model Insights

Protocol Methods Enables

Iterable iter

for x in obj , list(obj)

Sequence getitem , len

obj[i] , len(obj) , iteration

Mapping getitem , iter , len

obj[key] , dict(obj)

Callable call

obj()

Context Manager enter , exit

with obj:

Comparable eq , lt , etc.

, < , sorting

Hashable hash , eq

set() , dict keys

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

Coding

renaissance-statistical-arbitrage

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

google-material-design

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

aqr-factor-investing

No summary provided by upstream source.

Repository SourceNeeds Review