Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

rptest: more typing 2 #16134

Merged

Conversation

travisdowns
Copy link
Member

@travisdowns travisdowns commented Jan 17, 2024

Type more parts of rptest, concentrating on getting high_throughput_test to type fully at pyright "basic" setting.

After this change it types fully with some additional ducktape stubbing (not part of this change).

This change is largely pure typing (which can't affect runtime) though there are a handful of small runtime changes to assist in the typing, e.g., asserts that properties are not None immediately prior to using them which would otherwise be a typing failure. This only changes a crash at use to a crash immediately before at the assert.

Backports Required

  • none - not a bug fix
  • none - this is a backport
  • none - issue does not exist in previous branches
  • none - papercut/not impactful enough to backport
  • v23.3.x
  • v23.2.x
  • v23.1.x

Release Notes

  • none

def omb_runner(context, redpanda, driver, workload, omb_config):
def omb_runner(context: TestContext, redpanda: RedpandaServiceCloud,
driver: str, workload: dict[str,
Any], omb_config: ValidatorDict):
Copy link
Member Author

Choose a reason for hiding this comment

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

very weird formatting decision by yapf

@@ -216,7 +223,9 @@ class HighThroughputTest(PreallocNodesTest):
# Default value
msg_timeout = 120

def __init__(self, test_ctx: TestContext, *args, **kwargs):
redpanda: RedpandaServiceCloud
Copy link
Member Author

Choose a reason for hiding this comment

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

basically the .redpanda member can be either RedpandaService or RedpandaServiceCloud from the typer checker's point of view (and it's not wrong), but with our giant human brains we know that currently this test only runs in the cloud. So we type hint it at the class level so that we get good type checking in this class.

The need to do this will be obviated by some upcoming changes to the base class structure of the tests.

Copy link
Member

Choose a reason for hiding this comment

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

but with our giant human brains

🤣

@@ -244,6 +253,8 @@ def __init__(self, test_ctx: TestContext, *args, **kwargs):
disable_cloud_storage_diagnostics=True,
**kwargs)

assert isinstance(self.redpanda, RedpandaServiceCloud)
Copy link
Member Author

Choose a reason for hiding this comment

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

Runtime check for our type assertion above (type checkers are not smart enough for this assert alone to be enough).

@@ -897,17 +913,17 @@ def test_decommission_and_add(self):

# Generate a realistic number of segments per partition.
self.load_many_segments()
producer = None
try:
producer = KgoVerifierProducer(
Copy link
Member Author

Choose a reason for hiding this comment

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

Issue found by type checking. This assignment should be outside the try (and the None assignment removed), since otherwise if the construction throws we will deference None in the handler. This same bug repeats several times below. Found by type checking.

@@ -1797,9 +1812,6 @@ def _get_metrics(bench):
producers = 1 * (self._num_brokers // 3) + 1
consumers = producers * 2

if partitions not in ["min", "max"]:
Copy link
Member Author

Choose a reason for hiding this comment

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

This is subsumed by an assert below.

# Select number of partitions
if partitions == "min":
_num_partitions = self._partitions_min
elif partitions == "max":
else:
Copy link
Member Author

Choose a reason for hiding this comment

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

Example of a runtime change to help the type checker. One of these checks will succeed but the type checker cna't know that, so _num_partitoins could also be Unbond from its PoV. Instead, always enter the last branch and use an assert to check that it has the expected value. Ends up being less code overall anyway since we can remove the explicit check above.

Enum could perhaps accomplish the same thing.

Copy link
Member

Choose a reason for hiding this comment

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

I don't mind much about this random python testing code so please leave as is but I do find the original way easier to understand. One problem with that though is that the allowed values are duplicated.

Enum could perhaps accomplish the same thing.

I guess this would be the best as then you can avoid duplicating the different enum values, have a "default" handler and probably the type check is also happy.

Copy link
Member Author

Choose a reason for hiding this comment

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

@StephanDollberg wrote:

I do find the original way easier to understand.

I agree, the original way is easier to understand though arguably less correct (since it admits a third state after the two checks instead of the desired 2).

The problem though is that it does not type check, so the alternative w/o changing types I think is something adding a third and final else:

        if partitions == "min":
            _num_partitions = self._partitions_min
        elif partitions == "max":
            _num_partitions = self._partitions_upper_limit
        else:
            raise RuntimeError('oh no')

I don't if Enum solves it exactly as it would require the type checker to know that the flow always goes down one of the two branches even though they are not exhaustive (i.e., there is no else clause) through value analysis.

Actuallly since we don't have switch in Python I kind of like using a dict like:

_num_partitions = {
   'min': self._partitions_min,
   'max': self._partitions_upper_limit
}[partitions]

WDYT? Not sure if it's idiomatic, but it type checks and gives a pretty good error (showing the key value, which is the important part).

Copy link
Member

Choose a reason for hiding this comment

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

Actuallly since we don't have switch in Python I kind of like using a dict like:

Yeah I like that.

verb: str,
path: str,
node: MaybeNode = None,
**kwargs: Any):
Copy link
Member Author

Choose a reason for hiding this comment

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

For args and kwargs we are mostly just stuck using Any since the args captured generally don't have any particular common type.

@@ -7,12 +7,14 @@
# the Business Source License, use of this software will be governed
# by the Apache License, Version 2.0

from __future__ import annotations
Copy link
Member Author

Choose a reason for hiding this comment

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

Need to allow a class method to accept an argument of the same type as the class itself, e.g.:

class Foo:

  def takes_foo(self, another_foo: Foo):
     ...

def get_workload_int(self, key: str) -> int:
"""Get the workload property specified by key: it must exist and be an int."""
v = self.workload[key]
assert isinstance(v, int), f"value {v} for {key} was not an int"
Copy link
Member Author

Choose a reason for hiding this comment

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

do a bit of runtime type checking here

@@ -187,6 +188,14 @@
]


class RemoteClusterNode(Protocol):
Copy link
Member Author

Choose a reason for hiding this comment

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

Protocol only used by the type checker.

@@ -201,8 +210,8 @@ def f(sample):


class MetricsEndpoint(Enum):
METRICS = 1
PUBLIC_METRICS = 2
METRICS = '/metrics'
Copy link
Member Author

Choose a reason for hiding this comment

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

Simplifies the place this is used below, helps with type checking.

@@ -256,6 +266,8 @@ def get_cloud_storage_type(applies_only_on: list(CloudStorageType) = None,
cloud_storage_type = [CloudStorageType.S3]
elif cloud_provider == "azure":
cloud_storage_type = [CloudStorageType.ABS]
else:
raise RuntimeError(f"bad cloud provider: {cloud_provider}")
Copy link
Member Author

Choose a reason for hiding this comment

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

helps the type checking know this attribute is always set


if not self._si_settings.bypass_bucket_creation:
assert self._si_settings.cloud_storage_bucket, "No SI bucket configured"
Copy link
Member Author

Choose a reason for hiding this comment

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

A lot of asserts had to be added here, as the type checker can see that these proeprties are sometimes null (when cloud storage isn't configured): some outside force presumably ensures we don't run cloud storage-using tests in that scenario, but the type checker doens't know here.

Some additional refactoring/abstraction could help here but I just went the easy route.

@travisdowns
Copy link
Member Author

I threw a few reviewers on here, but I'll merge with 1 approval unless anyone objects.

@travisdowns
Copy link
Member Author

Force 2cca71a fixes a circular import I introduced between redpanda.py and admin.py, using a small Protocol stub for the 1 thing I can see admin.py uses the injected service for.

@vbotbuildovich
Copy link
Collaborator

vbotbuildovich commented Jan 18, 2024

new failures in https://buildkite.com/redpanda/redpanda/builds/43864#018d1a9b-8772-4faa-a029-1d12e7b11343:

"rptest.tests.storage_resources_test.StorageResourceRestartTest.test_recovery_reads.acks=1.clean_shutdown=False"
"rptest.tests.archive_retention_test.CloudArchiveRetentionTest.test_delete.cloud_storage_type=CloudStorageType.ABS.retention_type=retention.ms"
"rptest.tests.connection_rate_limit_test.ConnectionRateLimitTest.connection_rate_test"
"rptest.tests.group_membership_test.GroupMetricsTest.test_leadership_transfer"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_decommission.kill_same_node=True.decommission_first=False"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_maintenance_mode.kill_same_node=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_all_moves_in_cluster"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=False.recovery=restart_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=True.recovery=restart_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=False.recovery=restart_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=False.recovery=restart_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=True.recovery=restart_recovery.compacted=True"
"rptest.tests.admin_api_auth_test.AdminApiAuthTest.test_anonymous_access"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=True.recovery=restart_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=False.recovery=restart_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=True.recovery=restart_recovery.compacted=False"
"rptest.tests.audit_log_test.AuditLogTestAdminApi.test_audit_log_metrics"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_decommissioning_finishes_after_manual_cancellation.delete_topic=False"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_flipping_decommission_recommission.node_is_alive=False"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_recommissioning_one_of_decommissioned_nodes"
"rptest.tests.controller_availability_test.ControllerAvailabilityTest.test_controller_availability_with_nodes_down.cluster_size=3.stop=single"
"rptest.tests.e2e_shadow_indexing_test.EndToEndShadowIndexingTest.test_write.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.controller_availability_test.ControllerAvailabilityTest.test_controller_availability_with_nodes_down.cluster_size=5.stop=single"
"rptest.tests.cloud_storage_timing_stress_test.CloudStorageTimingStressTest.test_cloud_storage_with_partition_moves.cleanup_policy=compact.delete"
"rptest.tests.full_disk_test.FullDiskTest.test_full_disk_no_produce"
"rptest.tests.follower_fetching_test.FollowerFetchingTest.test_follower_fetching_with_maintenance_mode"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_shadow_indexing.num_to_upgrade=2.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_cross_shard.num_to_upgrade=2.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_fallback_mode"
"rptest.tests.upgrade_test.UpgradeWithWorkloadTest.test_rolling_upgrade_with_rollback.upgrade_after_rollback=True"
"rptest.tests.cloud_storage_scrubber_test.CloudStorageScrubberTest.test_scrubber.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.e2e_shadow_indexing_test.EndToEndSpilloverTest.test_spillover.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_read_chunks"
"rptest.tests.raft_recovery_test.RaftRecoveryUpgradeTest.test_upgrade"
"rptest.tests.redpanda_oauth_test.OIDCReauthTest.test_oidc_reauth"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_transfer_controller_leadership"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.shadow_indexing_tx_test.ShadowIndexingTxTest.test_txless_segments.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.timequery_test.TimeQueryTest.test_timequery.cloud_storage=False.batch_cache=False.spillover=False"
"rptest.tests.topic_delete_test.TopicDeleteStressTest.stress_test"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Delete==True.SpilloverManifestUploaded==True.TS_Spillover_ManifestDeleted==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.SpilloverManifestUploaded==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.AdjacentSegmentMergerReupload==True.SpilloverManifestUploaded==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.TS_Timequery==True"
"rptest.tests.cluster_bootstrap_test.ClusterBootstrapUpgrade.test_change_bootstrap_configs_during_upgrade.empty_seed_starts_cluster=True"
"rptest.tests.cluster_config_test.ClusterConfigAzureSharedKey.test_live_shared_key_change.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.TS_TxRangeMaterialized==True"
"rptest.tests.cluster_metrics_test.ClusterMetricsTest.cluster_metrics_reported_only_by_leader_test"
"rptest.tests.compacted_term_rolled_recovery_test.CompactionTermRollRecoveryTest.test_compact_term_rolled_recovery"
"rptest.tests.controller_log_limiting_test.ControllerAclsAndUsersLimitTest.test_create_user_limit"
"rptest.tests.controller_log_limiting_test.TopicOperationsLimitingTest.test_create_partition_limit_accumulation"
"rptest.tests.metrics_test.MetricsTest.test_aggregate_metrics.aggregate_metrics=False"
"rptest.tests.compaction_recovery_test.CompactionRecoveryUpgradeTest.test_index_recovery_after_upgrade"
"rptest.tests.pandaproxy_test.BasicAuthUpgradeTest.test_upgrade_and_enable_basic_auth.base_release=.22.3.next_release=.23.1"
"rptest.tests.partition_metrics_test.PartitionMetricsTest.test_partition_metrics"
"rptest.tests.prefix_truncate_recovery_test.PrefixTruncateRecoveryTest.test_prefix_truncate_recovery.acks=-1.start_empty=True"
"rptest.tests.retention_policy_test.ShadowIndexingCloudRetentionTest.test_cloud_retention_deleted_segments_count.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.sasl_reauth_test.ReauthConfigTest.test_reauth_disabled"
"rptest.tests.tls_metrics_test.TLSMetricsTest.test_metrics"
"rptest.tests.tls_metrics_test.TLSMetricsTestExpiring.test_detect_expired_cert"
"rptest.tests.transactions_test.TransactionsTest.check_pids_overflow_test"

new failures in https://buildkite.com/redpanda/redpanda/builds/43864#018d1a9b-877c-4a6b-b327-c88883f9fe7f:

"rptest.tests.node_pool_migration_test.NodePoolMigrationTest.test_migrating_redpanda_nodes_to_new_pool.balancing_mode=off.test_mode=TestMode.NO_TIRED_STORAGE.cleanup_policy=compact.delete"
"rptest.tests.storage_resources_test.StorageResourceRestartTest.test_recovery_reads.acks=-1.clean_shutdown=True"
"rptest.tests.e2e_shadow_indexing_test.ShadowIndexingManyPartitionsTest.test_many_partitions_shutdown"
"rptest.tests.archive_retention_test.CloudArchiveRetentionTest.test_delete.cloud_storage_type=CloudStorageType.ABS.retention_type=retention.bytes"
"rptest.tests.bytes_sent_test.BytesSentTest.test_bytes_sent"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_decommission.kill_same_node=False.decommission_first=True"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_restack_nodes.decom_before_add=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_all_moves_from_node"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=False.recovery=restart_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=True.recovery=restart_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=False.recovery=restart_recovery.compacted=False"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_decommissioning_rebalancing_node.shutdown_decommissioned=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=True.recovery=restart_recovery.compacted=False"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_prefetch_chunks.prefetch=5"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=False.recovery=no_recovery.compacted=True"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_recommissioning_node_finishes"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=True.recovery=no_recovery.compacted=True"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_read_when_segment_size_smaller_than_chunk_size"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=False.recovery=no_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=True.recovery=no_recovery.compacted=True"
"rptest.tests.cloud_storage_timing_stress_test.CloudStorageTimingStressTest.test_cloud_storage.cleanup_policy=delete"
"rptest.tests.controller_availability_test.ControllerAvailabilityTest.test_controller_availability_with_nodes_down.cluster_size=3.stop=minority"
"rptest.tests.controller_availability_test.ControllerAvailabilityTest.test_controller_availability_with_nodes_down.cluster_size=5.stop=minority"
"rptest.tests.follower_fetching_test.FollowerFetchingTest.test_basic_follower_fetching.read_from_object_store=True"
"rptest.tests.e2e_shadow_indexing_test.EndToEndHydrationTimeoutTest.test_hydration_completes_when_consumer_killed"
"rptest.tests.multi_restarts_with_archival_test.MultiRestartTest.test_recovery_after_multiple_restarts.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.e2e_shadow_indexing_test.EndToEndShadowIndexingTest.test_reset_spillover.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_shadow_indexing.num_to_upgrade=0.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_cross_shard.num_to_upgrade=0.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.idempotency_stress_test.IdempotencyStressTest.producer_id_stress_test.max_producer_ids=3000"
"rptest.tests.upgrade_test.UpgradeWithWorkloadTest.test_rolling_upgrade_with_rollback.upgrade_after_rollback=False"
"rptest.tests.e2e_shadow_indexing_test.EndToEndThrottlingTest.test_throttling.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.raft_recovery_test.RaftRecoveryTest.test_recovery_concurrency_limit.stop_producer=True"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.timequery_test.TimeQueryTest.test_timequery.cloud_storage=True.batch_cache=False.spillover=True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.AdjacentSegmentMergerReupload==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.SegmentRolledByTimeout==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.TS_ChunkedRead==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.TS_Timequery==True.SpilloverManifestUploaded==True"
"rptest.tests.upgrade_test.UpgradeFromPriorFeatureVersionCloudStorageTest.test_rolling_upgrade.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.acls_test.AccessControlListTestUpgrade.test_security_feature_migration.authn_method=sasl"
"rptest.tests.cluster_bootstrap_test.ClusterBootstrapUpgrade.test_change_bootstrap_configs_during_upgrade.empty_seed_starts_cluster=False"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.TS_TxRangeMaterialized==True.SpilloverManifestUploaded==True"
"rptest.tests.cluster_metrics_test.ClusterMetricsTest.cluster_metrics_disabled_by_config_test"
"rptest.tests.controller_log_limiting_test.TopicOperationsLimitingTest.test_create_partition_limit"
"rptest.tests.group_membership_test.GroupMetricsTest.test_check_value"
"rptest.tests.full_disk_test.WriteRejectTest.test_refresh_disk_health"
"rptest.tests.pandaproxy_test.BasicAuthUpgradeTest.test_upgrade_and_enable_basic_auth.base_release=.22.2.next_release=.22.3"
"rptest.tests.prefix_truncate_recovery_test.PrefixTruncateRecoveryTest.test_prefix_truncate_recovery.acks=-1.start_empty=False"
"rptest.tests.raft_availability_test.RaftAvailabilityTest.test_one_node_down"
"rptest.tests.prefix_truncate_recovery_test.PrefixTruncateRecoveryUpgradeTest.test_recover_during_upgrade"
"rptest.tests.sasl_reauth_test.ReauthConfigTest.test_enable_after_start"
"rptest.tests.tls_metrics_test.TLSMetricsTest.test_labels"
"rptest.tests.tls_metrics_test.TLSMetricsTestChain.test_cert_chain_metrics"

new failures in https://buildkite.com/redpanda/redpanda/builds/43864#018d1a9b-8776-4275-8bce-06e9263439ef:

"rptest.tests.memory_sampling_test.MemorySamplingTestTest.test_get_all_stacks"
"rptest.tests.storage_resources_test.StorageResourceRestartTest.test_recovery_reads.acks=1.clean_shutdown=True"
"rptest.tests.archive_retention_test.CloudArchiveRetentionTest.test_delete.cloud_storage_type=CloudStorageType.S3.retention_type=retention.bytes"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_read_when_cache_smaller_than_segment_size"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_prefetch_chunks.prefetch=0"
"rptest.tests.cloud_storage_scrubber_test.CloudStorageScrubberTest.test_scrubber.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_decommission.kill_same_node=True.decommission_first=True"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_maintenance_mode.kill_same_node=True"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_rack_constraint_repair"
"rptest.tests.cloud_storage_timing_stress_test.CloudStorageTimingStressTest.test_cloud_storage_with_partition_moves.cleanup_policy=delete"
"rptest.tests.controller_availability_test.ControllerAvailabilityTest.test_controller_availability_with_nodes_down.cluster_size=4.stop=minority"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancellations_interrupted_with_restarts.replication_factor=1"
"rptest.tests.e2e_shadow_indexing_test.EndToEndShadowIndexingTest.test_write.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=False.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=True.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=False.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=True.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_node_down"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=False.recovery=restart_recovery.compacted=True"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_shadow_indexing.num_to_upgrade=2.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_cross_shard.num_to_upgrade=2.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=True.recovery=restart_recovery.compacted=True"
"rptest.tests.redpanda_kerberos_test.GSSAPIReauthTest.test_gssapi_reauth"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=False.recovery=restart_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=True.recovery=restart_recovery.compacted=True"
"rptest.tests.connection_limits_test.ConnectionLimitsTest.test_exceed_broker_limit"
"rptest.tests.full_node_recovery_test.FullNodeRecoveryTest.test_node_recovery.recovery_type=full"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_decommissioning_and_upgrade"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_decommissioning_finishes_after_manual_cancellation.delete_topic=True"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_flipping_decommission_recommission.node_is_alive=True"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_recommissioning_do_not_stop_all_moves_node"
"rptest.tests.e2e_shadow_indexing_test.EndToEndSpilloverTest.test_spillover.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.idempotency_stress_test.IdempotencyStressTest.producer_id_stress_test.max_producer_ids=100"
"rptest.tests.offset_for_leader_epoch_archival_test.OffsetForLeaderEpochArchivalTest.test_querying_archive"
"rptest.tests.redpanda_oauth_test.RedpandaOIDCTest.test_admin_invalidate_keys"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.redpanda_oauth_test.RedpandaOIDCTlsTest.test_admin_invalidate_keys"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.NONE"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.NONE"
"rptest.tests.shadow_indexing_tx_test.ShadowIndexingTxTest.test_txless_segments.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.TS_ChunkedRead==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.AdjacentSegmentMergerReupload==True"
"rptest.tests.timequery_test.TimeQueryTest.test_timequery.cloud_storage=False.batch_cache=True.spillover=False"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.SegmentRolledByTimeout==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.TS_Timequery==True.SpilloverManifestUploaded==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.TS_TxRangeMaterialized==True.SpilloverManifestUploaded==True"
"rptest.tests.upgrade_test.UpgradeBackToBackTest.test_upgrade_with_all_workloads.single_upgrade=False"
"rptest.tests.cluster_bootstrap_test.ClusterBootstrapUpgrade.test_change_bootstrap_configs_after_upgrade.empty_seed_starts_cluster=False"
"rptest.tests.cluster_metrics_test.ClusterMetricsTest.max_offset_matches_committed_group_offset_test"
"rptest.tests.controller_log_limiting_test.ControllerConfigLimitTest.test_alter_configs_limit"
"rptest.tests.controller_recovery_test.ControllerRecoveryTest.test_controller_recovery"
"rptest.tests.full_disk_test.LocalDiskReportTest.test_basic_usage_report"
"rptest.tests.group_membership_test.GroupMetricsTest.test_multiple_topics_and_partitions"
"rptest.tests.metrics_test.MetricsTest.test_aggregate_metrics.aggregate_metrics=True"
"rptest.tests.node_metrics_test.NodeMetricsTest.test_node_storage_metrics"
"rptest.tests.prefix_truncate_recovery_test.PrefixTruncateRecoveryTest.test_prefix_truncate_recovery.acks=1.start_empty=False"
"rptest.tests.retention_policy_test.ShadowIndexingCloudRetentionTest.test_cloud_retention_deleted_segments_count.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.tls_metrics_test.TLSMetricsTest.test_public_metrics"
"rptest.tests.transactions_test.TransactionsTest.check_sequence_table_cleaning_after_eviction_test"

new failures in https://buildkite.com/redpanda/redpanda/builds/43864#018d1a9b-8779-48c6-910d-d71354f51027:

"rptest.tests.connection_limits_test.ConnectionLimitsTest.test_null"
"rptest.tests.e2e_shadow_indexing_test.ShadowIndexingManyPartitionsTest.test_many_partitions_recovery"
"rptest.tests.storage_resources_test.StorageResourceRestartTest.test_recovery_reads.acks=-1.clean_shutdown=False"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_decommission.kill_same_node=False.decommission_first=False"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_restack_nodes.decom_before_add=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancellations_interrupted_with_restarts.replication_factor=3"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=False.recovery=no_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=1.unclean_abort=True.recovery=no_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=False.recovery=no_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move.replication_factor=3.unclean_abort=True.recovery=no_recovery.compacted=True"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=False.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=1.unclean_abort=True.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=False.recovery=no_recovery.compacted=False"
"rptest.tests.partition_move_interruption_test.PartitionMoveInterruption.test_cancelling_partition_move_x_core.replication_factor=3.unclean_abort=True.recovery=no_recovery.compacted=False"
"rptest.tests.acls_test.AccessControlListTestUpgrade.test_security_feature_migration.authn_method=mtls_identity"
"rptest.tests.full_node_recovery_test.FullNodeRecoveryTest.test_node_recovery.recovery_type=partial"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_decommissioning_cancel_ongoing_movements"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_decommissioning_rebalancing_node.shutdown_decommissioned=False"
"rptest.tests.nodes_decommissioning_test.NodesDecommissioningTest.test_recommissioning_node"
"rptest.tests.cluster_bootstrap_test.ClusterBootstrapUpgrade.test_change_bootstrap_configs_after_upgrade.empty_seed_starts_cluster=True"
"rptest.tests.partition_balancer_test.PartitionBalancerTest.test_movement_cancellations"
"rptest.tests.archive_retention_test.CloudArchiveRetentionTest.test_delete.cloud_storage_type=CloudStorageType.S3.retention_type=retention.ms"
"rptest.tests.cluster_metrics_test.ClusterMetricsTest.cluster_metrics_correctness_test"
"rptest.tests.cluster_metrics_test.ClusterMetricsTest.partition_count_decreases_on_deletion_test"
"rptest.tests.controller_log_limiting_test.ControllerConfigLimitTest.test_alter_configs_limit_accumulate"
"rptest.tests.cloud_storage_usage_test.CloudStorageUsageTest.test_cloud_storage_usage_reporting"
"rptest.tests.controller_availability_test.ControllerAvailabilityTest.test_controller_availability_with_nodes_down.cluster_size=4.stop=single"
"rptest.tests.cloud_storage_timing_stress_test.CloudStorageTimingStressTest.test_cloud_storage.cleanup_policy=compact.delete"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_prefetch_chunks.prefetch=3"
"rptest.tests.follower_fetching_test.FollowerFetchingTest.test_basic_follower_fetching.read_from_object_store=False"
"rptest.tests.multi_restarts_with_archival_test.MultiRestartTest.test_recovery_after_multiple_restarts.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.cloud_storage_chunk_read_path_test.CloudStorageChunkReadTest.test_read_when_chunk_api_disabled"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_shadow_indexing.num_to_upgrade=0.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.partition_movement_test.SIPartitionMovementTest.test_cross_shard.num_to_upgrade=0.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.upgrade_test.UpgradeWithWorkloadTest.test_rolling_upgrade"
"rptest.tests.e2e_shadow_indexing_test.EndToEndHydrationTimeoutTest.test_hydration_completes_on_timeout"
"rptest.tests.e2e_shadow_indexing_test.EndToEndShadowIndexingTest.test_reset_spillover.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.idempotency_stress_test.IdempotencyStressTest.producer_id_stress_test.max_producer_ids=1000"
"rptest.tests.group_membership_test.GroupMetricsTest.test_topic_recreation"
"rptest.tests.redpanda_oauth_test.RedpandaOIDCTest.test_admin_revoke"
"rptest.tests.redpanda_oauth_test.RedpandaOIDCTlsTest.test_admin_revoke"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.raft_recovery_test.RaftRecoveryTest.test_recovery_concurrency_limit.stop_producer=False"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryAutoAuthTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=AVRO.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.e2e_shadow_indexing_test.EndToEndThrottlingTest.test_throttling.cloud_storage_type=CloudStorageType.ABS"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_NAME.payload_class=com.redpanda.CompressiblePayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.A.B.C.D.NestedPayload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.schema_registry_test.SchemaRegistryTest.test_schema_id_validation.protocol=PROTOBUF.client_type=Python.validate_schema_id=True.subject_name_strategy=SubjectNameStrategyCompat.TOPIC_RECORD_NAME.payload_class=com.redpanda.Payload.compression_type=CompressionTypes.ZSTD"
"rptest.tests.timequery_test.TimeQueryTest.test_timequery.cloud_storage=True.batch_cache=False.spillover=False"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.AdjacentSegmentMergerReupload==True.SpilloverManifestUploaded==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.ABS.test_case=.TS_Read==True.TS_Timequery==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Delete==True.SpilloverManifestUploaded==True.TS_Spillover_ManifestDeleted==True"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.SpilloverManifestUploaded==True"
"rptest.tests.upgrade_test.UpgradeBackToBackTest.test_upgrade_with_all_workloads.single_upgrade=True"
"rptest.tests.lw_heartbeats_test.LwHeartbeatsTest.test_use_of_lw_heartbeats"
"rptest.tests.tiered_storage_model_test.TieredStorageTest.test_tiered_storage.cloud_storage_type=CloudStorageType.S3.test_case=.TS_Read==True.TS_TxRangeMaterialized==True"
"rptest.tests.workload_upgrade_runner_test.RedpandaUpgradeTest.test_workloads_through_releases.cloud_storage_type=CloudStorageType.S3"
"rptest.tests.prefix_truncate_recovery_test.PrefixTruncateRecoveryTest.test_prefix_truncate_recovery.acks=1.start_empty=True"
"rptest.tests.scram_test.SCRAMReauthTest.test_scram_reauth"
"rptest.tests.throughput_limits_snc_test.ThroughputLimitsSnc.test_configuration"
"rptest.tests.tls_metrics_test.TLSMetricsTest.test_services"

new failures in https://buildkite.com/redpanda/redpanda/builds/43905#018d1e45-8746-42b0-b67e-53cecdbf14ad:

"rptest.tests.topic_recovery_test.TopicRecoveryTest.test_no_data.cloud_storage_type=CloudStorageType.S3"

new failures in https://buildkite.com/redpanda/redpanda/builds/43905#018d1e45-8740-4956-91c8-60268959f457:

"rptest.tests.consumer_group_balancing_test.ConsumerGroupBalancingTest.test_coordinator_nodes_balance"

@@ -267,6 +278,7 @@ def __init__(self, test_ctx: TestContext, *args, **kwargs):
config_profile['machine_type']]

tier_product = self.redpanda.get_product()
assert tier_product, "Could not get product into "
Copy link
Member

Choose a reason for hiding this comment

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

"Could not get product info"

Copy link
Member Author

Choose a reason for hiding this comment

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

Fixed in a subsequent big change to this same file, hope that's alright.

Copy link
Member

Choose a reason for hiding this comment

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

Did you push this? Might be blind but can't see it.

Edit: Discussed per pm. Will be in a follow up.

# Select number of partitions
if partitions == "min":
_num_partitions = self._partitions_min
elif partitions == "max":
else:
Copy link
Member

Choose a reason for hiding this comment

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

I don't mind much about this random python testing code so please leave as is but I do find the original way easier to understand. One problem with that though is that the allowed values are duplicated.

Enum could perhaps accomplish the same thing.

I guess this would be the best as then you can avoid duplicating the different enum values, have a "default" handler and probably the type check is also happy.

counts = {self.idx(node): None for node in self.nodes}
counts: dict[int, int | None] = {
self.idx(node): None
for node in self.nodes
Copy link
Member

Choose a reason for hiding this comment

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

This formatting is also slightly confusing

Type more parts of rptest, concentrating on getting
high_throughput_test to type fully at pyright "basic" setting.

After this change it types fully with some additional ducktape
stubbing (not part of this change).

This change is largely pure typing (which can't affect runtime) though
there are a handful of small runtime changes to assist in the typing,
e.g., asserts that properties are not None immediately prior to using
them which would otherwise by a typing failure. This only changes a
crash at use to a crash immediately before at the assert.
@travisdowns travisdowns merged commit ff85314 into redpanda-data:dev Jan 19, 2024
17 checks passed
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

None yet

4 participants