2021-10-23 13:20:37 +02:00
|
|
|
|
#!/usr/bin/env python3
|
|
|
|
|
# -*- coding: utf-8 -*-
|
|
|
|
|
|
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
# IMPORTS
|
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
|
|
|
|
|
from local.maths import *;
|
|
|
|
|
from local.typing import *;
|
|
|
|
|
|
|
|
|
|
from code.core.log import *;
|
|
|
|
|
from code.algorithms.search.sequential import SequentialSearch;
|
2021-10-24 12:28:37 +02:00
|
|
|
|
from code.algorithms.methods import *;
|
2021-10-23 13:20:37 +02:00
|
|
|
|
|
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
# GLOBAL VARIABLES/CONSTANTS
|
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
|
|
|
|
|
#
|
|
|
|
|
|
2021-10-24 12:28:37 +02:00
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
# CHECKS
|
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
|
|
|
|
|
def preChecks(L: List[int], **_):
|
|
|
|
|
assert L == sorted(L), 'Ungültiger Input: L muss aufsteigend sortiert sein!';
|
|
|
|
|
assert L == list(sorted(set(L))), 'Ungültiger Input: L darf keine Duplikate enthalten!';
|
|
|
|
|
return;
|
|
|
|
|
|
|
|
|
|
def postChecks(L: List[int], x: int, index: int, **_):
|
|
|
|
|
value = L[index] if index >= 0 else None;
|
|
|
|
|
assert value == x, 'Der Algorithmus hat versagt.';
|
|
|
|
|
return;
|
|
|
|
|
|
2021-10-23 13:20:37 +02:00
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
# ALGORITHM jump search
|
|
|
|
|
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
|
|
|
|
|
|
2021-10-24 12:28:37 +02:00
|
|
|
|
@algorithmInfos(name='Sprungsuche', outputnames='index', checks=True, metrics=True, preChecks=preChecks, postChecks=postChecks)
|
2021-10-23 13:20:37 +02:00
|
|
|
|
def JumpSearchLinear(L: List[int], x: int, m: int) -> int:
|
|
|
|
|
'''
|
|
|
|
|
Inputs: L = Liste von Zahlen, x = Zahl, [u, v] = Suchinterval.
|
2021-10-24 13:18:39 +02:00
|
|
|
|
|
2021-10-23 13:20:37 +02:00
|
|
|
|
Annahmen:
|
2021-10-24 13:18:39 +02:00
|
|
|
|
- L sei aufsteigend sortiert.
|
|
|
|
|
- L enthält keine Duplikate.
|
|
|
|
|
|
2021-10-23 13:20:37 +02:00
|
|
|
|
Outputs: Position von x in L, sonst −1 wenn x nicht in L.
|
|
|
|
|
'''
|
|
|
|
|
i = 0;
|
|
|
|
|
while i*m < len(L):
|
|
|
|
|
AddToCounter();
|
|
|
|
|
offset = i*m;
|
|
|
|
|
block = L[offset:][:m];
|
|
|
|
|
elementAfterBlock = block[-1] + 1;
|
|
|
|
|
if x < elementAfterBlock:
|
|
|
|
|
logDebug('Element muss sich im Block {} befinden.'.format(i));
|
2021-10-24 12:28:37 +02:00
|
|
|
|
index = SequentialSearch(L=block, x=x);
|
2021-10-23 13:20:37 +02:00
|
|
|
|
return offset + index; # NOTE: muss wegen Offset kompensieren
|
|
|
|
|
logDebug('Element befindet sich nicht im Block {}.'.format(i));
|
|
|
|
|
i += 1;
|
|
|
|
|
return -1;
|