Algorithm Part I: Programming Assignment (2), assignment2.2

Source: Internet
Author: User
Tags iterable

Algorithm Part I: Programming Assignment (2), assignment2.2

Problem description:

Programming Assignment 2: Randomized Queues and Deques

Write a generic data type for a deque and a randomized queue. The goal of this assignment is to implement elementary data structures using arrays and linked lists, and to introduce you to generics and iterators.

Dequeue.ADouble-ended queueOrDeque(Pronounced "deck") is a generalization of a stack and a queue that supports inserting and removing items from either the front or the back of the data structure. Create a generic data typeDequeThat implements the following API:

public class Deque<Item> implements Iterable<Item> {   public Deque()                           // construct an empty deque   public boolean isEmpty()                 // is the deque empty?   public int size()                        // return the number of items on the deque   public void addFirst(Item item)          // insert the item at the front   public void addLast(Item item)           // insert the item at the end   public Item removeFirst()                // delete and return the item at the front   public Item removeLast()                 // delete and return the item at the end   public Iterator<Item> iterator()         // return an iterator over items in order from front to end   public static void main(String[] args)   // unit testing}

ThrowNullPointerExceptionIf the client attempts to add a null item; throwJava. util. NoSuchElementExceptionIf the client attempts to remove an item from an empty deque; throwUnsupportedOperationExceptionIf the client calltheRemove ()Method in the iterator; throwJava. util. NoSuchElementExceptionIf the client calltheNext ()Method in the iterator and there are no more items to return.

Your deque implementation must support each deque operation inConstant worst-case timeAnd use space proportional to the number of itemsCurrentlyIn the deque. Additionally, your iterator implementation must support the operationsNext ()AndHasNext ()(Plus construction) in constant worst-case time and use a constant amount of extra space per iterator.

Randomized queue.ARandomized queueIs similar to a stack or queue, doesn't that the item removed is chosen uniformly at random from items in the data structure. Create a generic data typeRandomizedQueueThat implements the following API:

public class RandomizedQueue<Item> implements Iterable<Item> {   public RandomizedQueue()                 // construct an empty randomized queue   public boolean isEmpty()                 // is the queue empty?   public int size()                        // return the number of items on the queue   public void enqueue(Item item)           // add the item   public Item dequeue()                    // delete and return a random item   public Item sample()                     // return (but do not delete) a random item   public Iterator<Item> iterator()         // return an independent iterator over items in random order   public static void main(String[] args)   // unit testing}

ThrowNullPointerExceptionIf the client attempts to add a null item; throwJava. util. NoSuchElementExceptionIf the client attempts to sample or dequeue an item from an empty randomized queue; throwUnsupportedOperationExceptionIf the client calltheRemove ()Method in the iterator; throwJava. util. NoSuchElementExceptionIf the client calltheNext ()Method in the iterator and there are no more items to return.

Your randomized queue implementation must support each randomized queue operation (besides creating an iterator) inConstant amortized timeAnd use space proportional to the number of itemsCurrentlyIn the queue. That is, any sequenceMRandomized queue operations (starting from an empty queue) shocould take at mostCMSteps in the worst case, for some constantC. Additionally, your iterator implementation must support construction in time linear in the number of items and it must support the operationsNext ()AndHasNext ()In constant worst-case time; you may use a linear amount of extra memory per iterator. The order of two or more iterators to the same randomized queue shocould beMutually independent; Each iterator must maintain its own random order.

Subset client.Write a client programSubset. javaThat takes a command-line integerK; Reads in a sequenceNStrings from standard input usingStdIn. readString (); And prints out exactlyKOf them, uniformly at random. Each item from the sequence can be printed out at most once. You may assume that 0 ≤KN, WhereNIs the number of string on standard input.

% echo A B C D E F G H I | java Subset 3       % echo AA BB BB BB BB BB CC CC | java Subset 8C                                              BBG                                              AAA                                              BB                                               CC% echo A B C D E F G H I | java Subset 3       BBE                                              BBF                                              CCG                                              BB
The running time SubsetMust be linear in the size of the input. You may use only a constant amount of memory plus either one DequeOr RandomizedQueueObject of maximum size at most N, where N is the number of strings on standard input. (For an extra challenge, use only one DequeOr RandomizedQueueObject of maximum size at most k.) It shoshould have the following API.
public class Subset {   public static void main(String[] args)}

Deliverables.Submit onlyDeque. java,RandomizedQueue. java, AndSubset. java. We will supplyStdlib. jar. You may not use any libraries other than those inStdlib. jar,Java. lang,Java. util. Iterator, AndJava. util. NoSuchElementException.

Code:

Deque. java

import java.util.Iterator;;public class Deque<Item> implements Iterable<Item> {private Node first;private Node last;private int length;public Deque() {first = null;last = null;length = 0;}public boolean isEmpty() {return length == 0;}public int size() {return length;}public void addFirst(Item item) {if (item == null)throw new NullPointerException();if (length == 0) {Node newNode = new Node();newNode.i = item;newNode.left = null;newNode.right = null;first = newNode;last = newNode;length++;} else {Node newNode = new Node();newNode.i = item;newNode.right = null;newNode.left = first;first.right = newNode;first = newNode;length++;}}public void addLast(Item item) {if (item == null)throw new NullPointerException();if (length == 0) {Node newNode = new Node();newNode.i = item;newNode.left = null;newNode.right = null;first = newNode;last = newNode;length++;} else {Node newNode = new Node();newNode.i = item;newNode.right = last;newNode.left = null;last.left = newNode;last = newNode;length++;}}public Item removeFirst() {if (isEmpty())throw new java.util.NoSuchElementException();if (length == 1) {Item item = first.i;first = null;last = null;length--;return item;} else {Item item = first.i;Node temp = first.left;first.left.right = null;first.left = null;first = temp;length--;return item;}}public Item removeLast() {if (isEmpty())throw new java.util.NoSuchElementException();if (length == 1) {Item item = first.i;first = null;last = null;length--;return item;} else {Item item = last.i;Node temp = last.right;last.right.left = null;last.right = null;last = temp;length--;return item;}}public static void main(String[] args) {// TODO Auto-generated method stub}@Overridepublic Iterator<Item> iterator() {// TODO Auto-generated method stubreturn new ListIterator();}private class Node {private Node left;private Node right;private Item i;}private class ListIterator implements Iterator<Item> {private Node ptr;private Item i;public ListIterator(){ptr = first;}@Overridepublic boolean hasNext() {// TODO Auto-generated method stubif (ptr == null)return false;elsereturn true;}@Overridepublic Item next() {// TODO Auto-generated method stubif (!hasNext())throw new java.util.NoSuchElementException();else {i = ptr.i;ptr = ptr.left;return i;}}public void remove() {throw new UnsupportedOperationException();}}}


RandomizedQueue. java

import java.util.Iterator;public class RandomizedQueue<Item> implements Iterable<Item> {private Item items[];private int length;public RandomizedQueue() {items = (Item[]) new Object[2];length = 0;}public boolean isEmpty() {return length == 0;}public int size() {return length;}public void enqueue(Item item) {if (item == null)throw new NullPointerException();if (length == items.length)resize(items.length * 2);items[length] = item;length++;}public Item dequeue() {if (isEmpty())throw new java.util.NoSuchElementException();int n = (int) (Math.random() * length);Item i = items[n];if (n != length - 1)items[n] = items[length - 1];length--;if (length > 0 && length == items.length / 4)resize(items.length / 2);return i;}private void resize(int n) {Item newItem[] = (Item[]) new Object[n];for (int i = 0; i < length; i++)newItem[i] = items[i];items = newItem;}public Item sample() {if (isEmpty())throw new java.util.NoSuchElementException();int n = (int) (Math.random() * length);Item i = items[n];return i;}@Overridepublic Iterator<Item> iterator() {// TODO Auto-generated method stubreturn new ListIterator();}private class ListIterator<Item> implements Iterator {int index;public ListIterator() {index = 0;}@Overridepublic boolean hasNext() {// TODO Auto-generated method stubreturn index <= length - 1;}@Overridepublic Object next() {// TODO Auto-generated method stubif (!hasNext())throw new java.util.NoSuchElementException();int n = (int) (Math.random()*(length-index));Object item = items[n];if(n != length-index-1)items[n] = items[length-index-1];index++;return item;}public void remove() {throw new UnsupportedOperationException();}}public static void main(String[] args) {// TODO Auto-generated method stub}}

Subset. java

public class Subset {public static void main(String[] args) {// TODO Auto-generated method stubRandomizedQueue rq = new RandomizedQueue();int k = Integer.parseInt(args[0]);while (!StdIn.isEmpty())rq.enqueue(StdIn.readString());for (int i = 0; i < k; i++)StdOut.println(rq.dequeue());}}



Very urgent: Help me translate this Chinese text (TIE Ding additional points)

The material is as follows:
The distributional stock and the transportation dispatching system integration optimization question from systematized, the integrated thought embarks, the physical distribution two big functions, the inventory control and transports the dispatch, takes a whole to carry on the optimization. the LGP group is facing the pressure of competition which raw material and the service cost rise and the globalization bring, simultaneously the huge reserve and the freight volume have consumed the massive transport business cost, experiences only carries on the transportation dispatch plan, as soon as comes in the management process to have the work chaotic situation frequently, two do not have the scientific target to make the improvement comparison, will grow strong to the future enterprise brings the bottleneck. this group has ed that can make the reasonable adjustment through the scientific technique to own stock assignment transportation system, the main purpose is must reduce the cost transport business cost. this topic in view of the distributional stock and the transportation dispatching system integration optimization question, produces in the manufacturing industry the actual case to make the actor's opening words, proposes several simple and the actual optimization plan. the manufacture network chart can unfold this enterprise's basic condition, then through the model computation, in the network chart most short-path design and in the pure l ...... remaining full text>

Answers to exercises after Data Structures and Algorithm Analysis in C ++

The following are the several stages of books I have summarized based on others' prompts and my own references. I hope to help you !!

Stage 1:
1: H. M. Deitel and P. J. Deitel's C ++ How to Program (C ++ University tutorial)
2: Qian Neng's C ++ Programming Tutorial
3: Stanley B. lippman translated by Hou Jie, "essential c ++"
4: c ++ primer by Stanley B. Lippman, Joseph LaJoie, and Barbara E. Moo
5: the c ++ programming language of Bjarne Stroustrup

Stage 2:
1: Scott Meyers's Objective c ++
2: Herb Sutter's exceptional c ++
3: Scott Meyers's more effective tive c ++
4: Herb Sutter's more than tional c ++

Stage 3:
1: Stanley B. lippman's "insied the c ++ object model" (in-depth exploration of the C ++ object model)
2: The design and evolution of c ++ by Bjarne Stroustrup (design and evolution of C ++)
3: tephen C. Dewhurst's C ++ Gotchas: Avoiding Common Problems in Coding and Design (C ++ programming traps)

Stage 4:
1: the c ++ standard library by niclai M. josutis (C ++ standard library-self-repair Tutorial and reference manual)
2: Scott Meyers's objective stl
3: generic programming and the stl by Matthew H. Austern (generic programming and STL)
4: Hou Jie's stl source code analysis

Stage 5:
1: Herb Sutter's exeptional c ++ style
2: c ++ template
3: Andrei Alexandrescu's modern c ++ design

Stage 6
1: C ++ input/output stream and localization C ++ Network Programming large-scale C ++ Programming
2: Barbara E. Moo and Andrew Koenig's Ruminations On C ++ (C ++ meditation)

Others:
Stanley B. Lippman, photocopy of "Inside The C ++ Object Model" and Chinese version of "Deep Exploration C ++ Object Model"
Elements of Reusable Object-Oriented software photocopy and Chinese Version Design Pattern: Basis for Reusable Object-Oriented software
John Lakos's book Large-Scale C ++ Software Design (large-scale C ++ programming)
Andrew Koenig and Barbara Moo in Accelerated C ++: Practical Programming by Example Ruminations on C ++
Bruce Eckel, C ++ programming thoughts

Windows Programming series:

Charles Petzold's Programming Windows (Windows Programming)
Je ...... the remaining full text>

Related Article

Contact Us

The content source of this page is from Internet, which doesn't represent Alibaba Cloud's opinion; products and services mentioned on that page don't have any relationship with Alibaba Cloud. If the content of the page makes you feel confusing, please write us an email, we will handle the problem within 5 days after receiving your email.

If you find any instances of plagiarism from the community, please send an email to: info-contact@alibabacloud.com and provide relevant evidence. A staff member will contact you within 5 working days.

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.