def test_pop():
    """Test pop function.

    Should remove first node and return value.
    """
    from dll import Dll
    test_dll = Dll()
    test_dll.push(1)
    assert test_dll.pop() == 1
Exemple #2
0
class Deque(object):
    """Create deque class object."""
    def __init__(self):
        """Initialize new deque class object with a front and back."""
        self._dll = Dll()
        self.head = self._dll.head
        self.tail = self._dll.tail
        self._length = self._dll._length

    @property
    def length(self):
        """Use dll length method to return size of the deque."""
        return self._dll._length

    def append(self, data):
        """Use dll append method to add node with data at tail."""
        self._dll.append(data)

    def append_left(self, data):
        """Use dll push method to add node with data at front(head)."""
        self._dll.push(data)

    def pop(self):
        """Use dll shift method to remove node at back(tail)."""
        return self._dll.shift()

    def pop_left(self):
        """Use dll pop method to remove node from front(head)."""
        return self._dll.pop()

    def peek(self):
        """Use dll peek method to view node at back(tail)."""
        if self.length == 0:
            return None
        return self._dll.tail.data

    def peek_left(self):
        """Use dll peek method to view node at front(head)."""
        if self.length == 0:
            return None
        return self._dll.head.data

    def size(self):
        """Function uses build-in len function to show length."""
        return self.length
Exemple #3
0
class Deque(object):
    """Create deque data structure."""
    def __init__(self):
        """Initalize a Deque."""
        self._que = Dll()

    def append(self, val):
        """Add an item to the deque."""
        self._que.push(val)

    def appendleft(self, val):
        """Append value to the front of the deque."""
        self._que.append(val)

    def pop(self):
        """Pop value from end of the deque and returns it."""
        return self._que.pop()

    def popleft(self):
        """Pop value from front of the deque and return it."""
        return self._que.shift()

    def peek(self):
        """Return next value in deque without dequeueing it."""
        if self._que.head is not None:
            return self._que.head.value
        return None

    def peekleft(self):
        """Return value of popleft but leaves value in deque."""
        if self._que.tail is not None:
            return self._que.tail.value
        return None

    def size(self):
        """Get length of deque."""
        return self._que.__len__()
def test_pop():
    dll = Dll()
    dll.append(500)
    dll.append(600)
    assert dll.pop() == 500
    assert dll.head.prev is None
def test_pop_empty():
    dll = Dll()
    with pytest.raises(LookupError):
        dll.pop()