Skip to content

Commit

Permalink
feat: use file_table and resource_table as sqlite3 db (#460)
Browse files Browse the repository at this point in the history
This PR introduces file_table as sqlite3 db with three tables, naming as follow:
1. `ft_regular`: table contains all regular file entries.
2. `ft_non_regular`: table contains all non-regular file entries, including symlinks and chardev(with 0,0 devnum).
3. `ft_dir`: table contains all directory entries.

Also a new resource_table sqlite3 db with one table is introduced:
1. `rs_table`: table contains all the unique file entries(by sha256digest) and the necessary metadata of the corresponding resource.

The [simple-sqlite3-orm](https://github.com/pga2rn/simple-sqlite3-orm) python package(which is developed and maintained by me also) is used to implement the table definitions and ORMs.

For each tables definition(in `file_table._table` module), helper methods to prepare the entries onto the target(standby slot mount point during OTA) are implemented. 
Comparing to previous implementation, xattrs and chardev files(required by supporting storing docker images on system image) are supported now.
  • Loading branch information
Bodong-Yang authored Dec 20, 2024
1 parent 4723777 commit 42e1906
Show file tree
Hide file tree
Showing 11 changed files with 827 additions and 2 deletions.
3 changes: 2 additions & 1 deletion pyproject.toml
Original file line number Diff line number Diff line change
Expand Up @@ -29,12 +29,13 @@ dependencies = [
"cryptography>=43.0.1,<45",
"grpcio>=1.53.2,<1.69",
"multidict<7.0,>=4.5",
"msgpack>=1,<1.2",
"protobuf>=4.21.12,<5.29",
"pydantic<3,>=2.10",
"pydantic-settings<3,>=2.3",
"pyyaml<7,>=6.0.1",
"requests<2.33,>=2.32",
"simple-sqlite3-orm<0.6,>=0.5",
"simple-sqlite3-orm<0.7,>=0.6",
"typing-extensions>=4.6.3",
"urllib3<2.3,>=2.2.2",
"uvicorn[standard]>=0.30,<0.35",
Expand Down
3 changes: 2 additions & 1 deletion requirements.txt
Original file line number Diff line number Diff line change
Expand Up @@ -5,12 +5,13 @@ aiohttp>=3.10.11,<3.12
cryptography>=43.0.1,<45
grpcio>=1.53.2,<1.69
multidict<7.0,>=4.5
msgpack>=1,<1.2
protobuf>=4.21.12,<5.29
pydantic<3,>=2.10
pydantic-settings<3,>=2.3
pyyaml<7,>=6.0.1
requests<2.33,>=2.32
simple-sqlite3-orm<0.6,>=0.5
simple-sqlite3-orm<0.7,>=0.6
typing-extensions>=4.6.3
urllib3<2.3,>=2.2.2
uvicorn[standard]>=0.30,<0.35
Expand Down
38 changes: 38 additions & 0 deletions src/ota_metadata/file_table/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,38 @@
# Copyright 2022 TIER IV, INC. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.


from ._orm import (
FileTableDirORM,
FileTableNonRegularORM,
FileTableRegularORM,
FileTableRegularORMPool,
)
from ._table import (
FileTableDirectories,
FileTableNonRegularFiles,
FileTableRegularFiles,
)
from ._types import FileEntryAttrs

__all__ = [
"FileTableNonRegularORM",
"FileTableRegularORM",
"FileTableDirORM",
"FileTableRegularORMPool",
"FileTableNonRegularFiles",
"FileTableRegularFiles",
"FileTableDirectories",
"FileEntryAttrs",
]
53 changes: 53 additions & 0 deletions src/ota_metadata/file_table/_orm.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,53 @@
# Copyright 2022 TIER IV, INC. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.


from __future__ import annotations

from simple_sqlite3_orm import ORMBase, ORMThreadPoolBase

from ._table import (
FileTableDirectories,
FileTableNonRegularFiles,
FileTableRegularFiles,
)

FT_REGULAR_TABLE_NAME = "ft_regular"
FT_NON_REGULAR_TABLE_NAME = "ft_non_regular"
FT_DIR_TABLE_NAME = "ft_dir"


class FileTableRegularORM(ORMBase[FileTableRegularFiles]):

_orm_table_name = FT_REGULAR_TABLE_NAME


class FileTableRegularORMPool(ORMThreadPoolBase[FileTableRegularFiles]):

_orm_table_name = FT_REGULAR_TABLE_NAME


class FileTableNonRegularORM(ORMBase[FileTableNonRegularFiles]):

_orm_table_name = FT_NON_REGULAR_TABLE_NAME


class FileTableDirORM(ORMBase[FileTableDirectories]):

_orm_table_name = FT_DIR_TABLE_NAME


class FileTableDirORMPool(ORMThreadPoolBase[FileTableDirectories]):

_orm_table_name = FT_DIR_TABLE_NAME
205 changes: 205 additions & 0 deletions src/ota_metadata/file_table/_table.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,205 @@
# Copyright 2022 TIER IV, INC. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.


from __future__ import annotations

import os
import shutil
import stat
from abc import abstractmethod
from pathlib import Path
from typing import Any, ClassVar, Literal, Optional

from pydantic import BaseModel, SkipValidation
from simple_sqlite3_orm import ConstrainRepr, TableSpec, TypeAffinityRepr
from typing_extensions import Annotated

from ota_metadata.file_table._types import EntryAttrsType
from otaclient_common.typing import StrOrPath

CANONICAL_ROOT = "/"


class FileTableBase(BaseModel):
schema_ver: ClassVar[Literal[1]] = 1

path: Annotated[
str,
TypeAffinityRepr(str),
ConstrainRepr("PRIMARY KEY"),
SkipValidation,
]

entry_attrs: Annotated[
EntryAttrsType,
TypeAffinityRepr(bytes),
ConstrainRepr("NOT NULL"),
]
"""msgpacked basic attrs for this file entry.
Ref: https://www.kernel.org/doc/html/latest/filesystems/ext4/inodes.html
including the following fields from inode table:
1. mode bits
2. uid
3. gid
4. inode(when the file is hardlinked)
5. xattrs
See file_table._types for more details.
"""

def set_xattr(self, _target: StrOrPath) -> None:
"""Set the xattr of self onto the <_target>.
NOTE: this method always don't follow symlink.
"""
if xattrs := self.entry_attrs.xattrs:
for k, v in xattrs.items():
os.setxattr(
path=_target,
attribute=k,
value=v.encode(),
follow_symlinks=False,
)

def set_perm(self, _target: StrOrPath) -> None:
"""Set the mode,uid,gid of self onto the <_target>."""
entry_attrs = self.entry_attrs
# NOTE(20241213): chown will reset the sticky bit of the file!!!
# Remember to always put chown before chmod !!!
os.chown(_target, uid=entry_attrs.uid, gid=entry_attrs.gid)
os.chmod(_target, mode=entry_attrs.mode)

def fpath_on_target(self, target_mnt: StrOrPath) -> Path:
"""Return the fpath of self joined to <target_mnt>."""
_canonical_path = Path(self.path)
_target_on_mnt = Path(target_mnt) / _canonical_path.relative_to(CANONICAL_ROOT)
return _target_on_mnt

@abstractmethod
def prepare_target(self, *args: Any, target_mnt: StrOrPath, **kwargs) -> None:
raise NotImplementedError


class FileTableRegularFiles(TableSpec, FileTableBase):
"""DB table for regular file entries."""

digest: Annotated[
bytes,
TypeAffinityRepr(bytes),
SkipValidation,
]

def prepare_target(
self,
_rs: StrOrPath,
*,
target_mnt: StrOrPath,
prepare_method: Literal["move", "hardlink", "copy"],
) -> None:
_target_on_mnt = self.fpath_on_target(target_mnt=target_mnt)

if prepare_method == "copy":
shutil.copy(_rs, _target_on_mnt)
self.set_perm(_target_on_mnt)
self.set_xattr(_target_on_mnt)
return

if prepare_method == "hardlink":
# NOTE: os.link will make dst a hardlink to src.
os.link(_rs, _target_on_mnt)
# NOTE: although we actually don't need to set_perm and set_xattr everytime
# to file paths point to the same inode, for simplicity here we just
# do it everytime.
self.set_perm(_target_on_mnt)
self.set_xattr(_target_on_mnt)
return

if prepare_method == "move":
shutil.move(str(_rs), _target_on_mnt)
self.set_perm(_target_on_mnt)
self.set_xattr(_target_on_mnt)


class FileTableNonRegularFiles(TableSpec, FileTableBase):
"""DB table for non-regular file entries.
This includes:
1. symlink.
2. chardev file.
NOTE that support for chardev file is only for overlayfs' whiteout file,
so only device num as 0,0 will be allowed.
"""

contents: Annotated[
Optional[bytes],
TypeAffinityRepr(bytes),
SkipValidation,
] = None
"""The contents of the file. Currently only used by symlink."""

def set_perm(self, _target: StrOrPath) -> None:
"""Set the mode,uid,gid of self onto the <_target>.
NOTE: this method always don't follow symlink.
"""
entry_attrs = self.entry_attrs

# NOTE(20241213): chown will reset the sticky bit of the file!!!
# Remember to always put chown before chmod !!!
os.chown(
_target, uid=entry_attrs.uid, gid=entry_attrs.gid, follow_symlinks=False
)
# NOTE: changing mode of symlink is not needed and uneffective, and on some platform
# changing mode of symlink will even result in exception raised.
if not stat.S_ISLNK(entry_attrs.mode):
os.chmod(_target, mode=entry_attrs.mode)

def prepare_target(self, *, target_mnt: StrOrPath) -> None:
_target_on_mnt = self.fpath_on_target(target_mnt=target_mnt)

entry_attrs = self.entry_attrs
_mode = entry_attrs.mode
if stat.S_ISLNK(_mode):
assert (
_symlink_target_raw := self.contents
), f"invalid entry {self}, entry is a symlink but no link target is defined"

_symlink_target = _symlink_target_raw.decode()
_target_on_mnt.symlink_to(_symlink_target)
self.set_perm(_target_on_mnt)
self.set_xattr(_target_on_mnt)
return

if stat.S_ISCHR(_mode):
_device_num = os.makedev(0, 0)
os.mknod(_target_on_mnt, mode=_mode, device=_device_num)
self.set_perm(_target_on_mnt)
self.set_xattr(_target_on_mnt)
return

raise ValueError(f"invalid entry {self}")


class FileTableDirectories(TableSpec, FileTableBase):
"""DB table for directory entries."""

def prepare_target(self, *, target_mnt: StrOrPath) -> None:
_target_on_mnt = self.fpath_on_target(target_mnt=target_mnt)
_target_on_mnt.mkdir(exist_ok=True, parents=True)
self.set_perm(_target_on_mnt)
self.set_xattr(_target_on_mnt)
63 changes: 63 additions & 0 deletions src/ota_metadata/file_table/_types.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,63 @@
# Copyright 2022 TIER IV, INC. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.


from __future__ import annotations

from typing import Dict, NamedTuple, Optional

from msgpack import Unpacker, packb
from pydantic import PlainSerializer, PlainValidator
from typing_extensions import Annotated

FILE_ENTRY_MAX_SIZE = 1024**2 # 1MiB


class FileEntryAttrs(NamedTuple):
mode: int
uid: int
gid: int
size: Optional[int] = None
inode: Optional[int] = None
xattrs: Optional[Dict[str, str]] = None

@classmethod
def _validator(cls, _in: bytes | FileEntryAttrs) -> FileEntryAttrs:
if isinstance(_in, FileEntryAttrs):
return _in

_unpacker = Unpacker(max_buffer_size=FILE_ENTRY_MAX_SIZE)
_unpacker.feed(_in) # feed all the data into the internal buffer

# get exactly one list from buffer.
# NOTE that msgpack only has two container types when unpacking: list and dict.
_obj = _unpacker.unpack()
if not isinstance(_obj, list):
raise TypeError(f"expect unpack to a list, get {type(_obj)=}")
return cls(*_obj)

def _serializer(self: FileEntryAttrs) -> bytes:
try:
if _res := packb(self, buf_size=FILE_ENTRY_MAX_SIZE):
return _res
raise ValueError("nothing is packed")
except Exception as e:
raise ValueError(f"failed to pack {self}: {e!r}") from e


EntryAttrsType = Annotated[
FileEntryAttrs,
PlainValidator(FileEntryAttrs._validator),
PlainSerializer(FileEntryAttrs._serializer),
]
Loading

1 comment on commit 42e1906

@github-actions
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Coverage

Coverage Report
FileStmtsMissCoverMissing
src/ota_metadata/file_table
   __init__.py40100% 
   _orm.py160100% 
   _table.py80890%170, 188–193, 195
   _types.py31487%47, 54–56
src/ota_metadata/legacy
   __init__.py10100% 
   parser.py3354885%106, 170, 175, 211–212, 222–223, 226, 238, 289–291, 295–298, 324–327, 396, 399, 407–409, 422, 431–432, 435–436, 601–603, 653–654, 657, 685–686, 689–690, 692, 696, 698–699, 753, 756–758
   types.py841384%37, 40–42, 112–116, 122–125
src/ota_metadata/utils
   cert_store.py86890%58–59, 73, 87, 91, 102, 123, 127
src/ota_proxy
   __init__.py15660%48, 50, 52, 61, 71–72
   __main__.py880%16, 18–20, 22, 24–25, 27
   _consts.py170100% 
   cache_control_header.py68494%71, 91, 113, 121
   cache_streaming.py1442284%154–156, 184–186, 211, 225, 229–230, 265–266, 268, 280, 349, 355–356, 359, 367–370
   config.py200100% 
   db.py801877%103, 109, 167, 173–174, 177, 183, 185, 209–216, 218–219
   errors.py50100% 
   external_cache.py282028%31, 35, 40–42, 44–45, 48–49, 51–53, 60, 63–65, 69–72
   lru_cache_helper.py48295%95–96
   ota_cache.py2346472%71–72, 143, 146–147, 159–160, 192–193, 210, 231, 250–254, 258–260, 262, 264–271, 273–275, 278–279, 283–284, 288, 335, 343–345, 418, 445, 448–449, 471–473, 477–479, 485, 487–489, 494, 520–522, 557–559, 586, 592, 607
   server_app.py1413972%79, 82, 88, 107, 111, 170, 179, 221–222, 224–226, 229, 234–235, 238, 241–242, 245, 248, 251, 254, 267–268, 271–272, 274, 277, 303–306, 309, 323–325, 331–333
   utils.py140100% 
src/otaclient
   __init__.py5260%17, 19
   __main__.py110%16
   _logging.py513335%43–44, 46–47, 49–54, 56–57, 59–60, 62–65, 67, 77, 80–82, 84–86, 89–90, 92–96
   _otaproxy_ctx.py43430%20, 22–30, 32–37, 39, 41–42, 45, 47–51, 54–57, 60–61, 63–64, 66–68, 70, 75–79, 81
   _status_monitor.py1851492%56–57, 169, 172, 192, 195, 211–212, 220, 223, 286, 308, 325–326
   _types.py960100% 
   _utils.py30293%80–81
   errors.py120199%97
   main.py25250%17, 19–29, 31–33, 35, 37, 41–42, 44–46, 48–50
   ota_core.py34213959%121, 123–124, 128–129, 131–133, 137–138, 143–144, 150, 152, 211–214, 337, 369–370, 372, 381, 384, 389–390, 393, 399, 401–405, 412, 418, 453–456, 459–470, 473–476, 512–515, 531–532, 536–537, 603–610, 615, 618–625, 650–651, 657, 661–662, 668, 693–695, 697, 737, 759, 786–788, 797–803, 817–823, 825–826, 831–832, 840, 842, 848, 850, 856, 858, 862, 868, 870, 876, 879–881, 891–892, 903–905, 907–908, 910, 912–913, 918, 920, 925
src/otaclient/boot_control
   __init__.py40100% 
   _firmware_package.py932276%82, 86, 136, 180, 186, 209–210, 213–218, 220–221, 224–229, 231
   _grub.py41812769%214, 262–265, 271–275, 312–313, 320–325, 328–334, 337, 340–341, 346, 348–350, 359–365, 367–368, 370–372, 381–383, 385–387, 466–467, 471–472, 524, 530, 556, 578, 582–583, 598–600, 624–627, 639, 643–645, 647–649, 708–711, 736–739, 762–765, 777–778, 781–782, 817, 823, 843–844, 846, 871–873, 891–894, 919–922, 929–932, 937–945, 950–957
   _jetson_cboot.py2612610%20, 22–25, 27–29, 35–40, 42, 58–60, 62, 64–65, 71, 75, 134, 137, 139–140, 143, 150–151, 159–160, 163, 169–170, 178, 187–191, 193, 199, 202–203, 209, 212–213, 218–219, 221, 227–228, 231–232, 235–237, 239, 245, 250–252, 254–256, 261, 263–266, 268–269, 278–279, 282–283, 288–289, 292–296, 299–300, 305–306, 309, 312–316, 321–324, 327, 330–331, 334, 337–338, 341, 345–350, 354–355, 359, 362–363, 366, 369–372, 374, 377–378, 382, 385, 388–391, 393, 400, 404–405, 408–409, 415–416, 422, 424–425, 429, 431, 433–435, 438, 442, 445, 448–449, 451, 454, 462–463, 470, 480, 483, 491–492, 497–500, 502, 509, 511–513, 519–520, 524–525, 528, 532, 535, 537, 544–548, 550, 562–565, 568, 571, 573, 580, 590–592, 594, 596, 599, 602, 605, 607–608, 611–615, 619–621, 623, 631–635, 637, 640, 644, 647, 658–659, 664, 674, 677–683, 687–693, 697–706, 710–718, 722, 724, 726–728
   _jetson_common.py1724573%132, 140, 288–291, 294, 311, 319, 354, 359–364, 382, 408–409, 411–413, 417–420, 422–423, 425–429, 431, 438–439, 442–443, 453, 456–457, 460, 462, 506–507
   _jetson_uefi.py40427432%124–126, 131–132, 151–153, 158–161, 328, 446, 448–451, 455, 459–460, 462–470, 472, 484–485, 488–489, 492–493, 496–498, 502–503, 508–510, 514, 518–519, 522–523, 526–527, 531, 534–535, 537, 542–543, 547, 550–551, 556, 560–561, 564, 568–570, 572, 576–579, 581–582, 604–605, 609–610, 612, 616, 620–621, 624–625, 632, 635–637, 640, 642–643, 648–649, 652–655, 657–658, 663, 665–666, 674, 677–680, 682–683, 685, 689–690, 694, 702–706, 709–710, 712, 715–719, 722, 725–729, 733–734, 737–742, 745–746, 749–752, 754–755, 762–763, 773–776, 779, 782–785, 788–792, 795–796, 799, 802–805, 808, 810, 815–816, 819, 822–825, 827, 833, 838–839, 858–859, 862, 870–871, 878, 888, 891, 898–899, 904–907, 915–918, 926–927, 939–942, 944, 947, 950, 958, 969–971, 973–975, 977–981, 986–987, 989, 1002, 1006, 1009, 1019, 1024, 1032–1033, 1036, 1040, 1042–1044, 1050–1051, 1056, 1064–1069, 1074–1079, 1084–1092, 1097–1104, 1112–1114
   _ota_status_control.py1021189%117, 122, 127, 240, 244–245, 248, 255, 257–258, 273
   _rpi_boot.py28713353%53, 56, 120–121, 125, 133–136, 150–153, 158–159, 161–162, 167–168, 171–172, 181–182, 222, 228–232, 235, 253–255, 259–261, 266–268, 272–274, 284–285, 288, 291, 293–294, 296–297, 299–301, 307, 310–311, 321–324, 332–336, 338, 340–341, 346–347, 354, 357–362, 393, 395–398, 408–411, 415–416, 418–422, 450–453, 472–475, 501–504, 509–517, 522–529, 544–547, 554–557, 565–567
   _slot_mnt_helper.py100100% 
   configs.py510100% 
   protocol.py60100% 
   selecter.py412929%44–46, 49–50, 54–55, 58–60, 63, 65, 69, 77–79, 81–82, 84–85, 89, 91, 93–94, 96, 98–99, 101, 103
src/otaclient/configs
   __init__.py170100% 
   _cfg_configurable.py470100% 
   _cfg_consts.py47197%97
   _common.py80100% 
   _ecu_info.py56492%59, 64–65, 112
   _proxy_info.py50590%84, 86–87, 89, 100
   cfg.py190100% 
src/otaclient/create_standby
   __init__.py13192%36
   common.py2264480%59, 62–63, 67–69, 71, 75–76, 78, 126, 174–176, 178–180, 182, 185–188, 192, 203, 279–280, 282–287, 299, 339, 367, 370–372, 388–389, 403, 407, 429–430
   interface.py70100% 
   rebuild_mode.py1151091%98–100, 119, 150–155
src/otaclient/grpc/api_v2
   ecu_status.py145795%117, 142, 144, 275, 347–348, 384
   ecu_tracker.py54540%17, 19–22, 24–30, 32–33, 35, 46–47, 50, 52, 58–61, 63, 65, 67–70, 77, 81–84, 88–89, 91, 93, 95–103, 107–108, 110, 112–115
   main.py41410%17, 19–24, 26–27, 29, 32, 39, 41–42, 44–45, 47–48, 50–55, 57–59, 61, 64, 70, 72–73, 76–77, 79–82, 84–85, 87
   servicer.py1169518%57–61, 63–64, 66–67, 73–77, 81–82, 87, 90, 94–96, 100–102, 110–112, 115–119, 128–138, 145, 151, 154–156, 167–169, 172–174, 179, 186–189, 192, 196–197, 202, 205, 209–211, 215–217, 225–226, 229–233, 242–251, 258, 264, 267–269, 274–275, 278
   types.py44295%78–79
src/otaclient_api/v2
   api_caller.py39684%45–47, 83–85
   types.py2563287%61, 64, 67–70, 86, 89–92, 131, 209–210, 212, 259, 262–263, 506–508, 512–513, 515, 518–519, 522–523, 578, 585–586, 588
src/otaclient_common
   __init__.py341555%42–44, 61, 63, 68–77
   _io.py64198%41
   cmdhelper.py130100% 
   common.py1061090%148, 151–153, 168, 175–177, 271, 275
   downloader.py1991094%107–108, 126, 153, 369, 424, 428, 516–517, 526
   linux.py611575%51–53, 59, 69, 74, 76, 108–109, 133–134, 190, 195–196, 198
   logging.py29196%55
   persist_file_handling.py1181884%113, 118, 150–152, 163, 192–193, 228–232, 242–244, 246–247
   proto_streamer.py42880%33, 48, 66–67, 72, 81–82, 100
   proto_wrapper.py3985785%87, 134–141, 165, 172, 184–186, 189–190, 205, 210, 221, 257, 263, 268, 299, 303, 307, 402, 462, 469, 472, 492, 499, 501, 526, 532, 535, 537, 562, 568, 571, 573, 605, 609, 611, 625, 642, 669, 672, 676, 692, 707, 713, 762–763, 765, 803–805
   retry_task_map.py129993%134–135, 153–154, 207–208, 210, 230–231
   shm_status.py952177%79–80, 83–84, 105, 120–122, 134, 139, 156–160, 169–170, 172, 179, 192, 204
   typing.py31487%48, 97–98, 100
TOTAL6825189772% 

Tests Skipped Failures Errors Time
242 0 💤 0 ❌ 0 🔥 12m 11s ⏱️

Please sign in to comment.