<script src='https://cdn.jsdelivr.net/pyodide/v0.26.3/full/pyodide.js'></script>
async function globalMeasureThatScriptPrepareFunction() {
window.globalPyodide = await loadPyodide();
console.log(globalPyodide.runPython('import sys; sys.version'));
await globalPyodide.runPython(`
from enum import Enum, auto
class TestEnum(Enum):
a = auto()
b = auto()
`);
}
window.globalPyodide.runPython(`
c = 0
for i in range(0, 100000):
v = TestEnum.a if i % 2 == 0 else TestEnum.b
if v is TestEnum.a:
c = c + 1
`);
window.globalPyodide.runPython(`
c = 0
for i in range(0, 100000):
v = "connected" if i % 2 == 0 else "connecting"
if v == "connected":
c = c + 1
`);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Test #1 Enum | |
String compare |
Test name | Executions per second |
---|---|
Test #1 Enum | 51.1 Ops/sec |
String compare | 70.9 Ops/sec |
This benchmark compares two approaches for handling conditional logic in Python: using the Enum
class versus using string literals. The goal is to evaluate the performance of these two options over a set number of iterations (in this case, 100,000) and determine which method is more efficient when processing conditional checks within a loop.
Enum Comparison:
c = 0
for i in range(0, 100000):
v = TestEnum.a if i % 2 == 0 else TestEnum.b
if v is TestEnum.a:
c = c + 1
Enum
class, which allows developers to create enumerated constants for better semantics and type safety.String Comparison:
c = 0
for i in range(0, 100000):
v = "connected" if i % 2 == 0 else "connecting"
if v == "connected":
c = c + 1
ExecutionsPerSecond: 70.86
) outperformed the enum comparison (ExecutionsPerSecond: 51.14
). This indicates that while enums provide benefits in terms of readability and safety, they can also come with trade-offs in raw performance.Alternatives:
options = {'a': 'connected', 'b': 'connecting'}
Performance Testing in Production: It's important to consider that the performance can vary based on the environment and the specific characteristics of the workload. Always test with real-world scenarios relevant to your application.
In conclusion, while Enum
s offer benefits for maintainability and clarity in larger codebases, the benchmarks show that for simple scenarios, string comparisons may yield better performance. Each team's choice will ultimately depend on the specific needs of their codebase, balancing performance with readability and maintainability.