《算法》第四版答案(三)習(xí)題1.3

本章節(jié)為習(xí)題1.3.12-1.3.16的答案

  • 1.3.12
    答案
在作者的Stack程序中添加如下方法:
    public static <T> Stack<T> copy(Stack<T> s)  
    {  
        Iterator<T> it = s.iterator();  
        Stack<T> result = new Stack<T>();  
        Stack<T> temp = new Stack<T>();  
        while (it.hasNext()) {  
            temp.push(it.next());  
        }  
        it = temp.iterator();  
        while (it.hasNext()) {  
            result.push(it.next());  
        }  
        return result;  
    } 

測試代碼:

public class ex1_3_12 {
        public static void main(String[] args) {  
            Stack<String> s1 = new Stack<String>();  
            s1.push("first");  
            s1.push("second");  
            s1.push("third");  
              
            Stack<String> s2 = Stack.copy(s1); 
            while (!s2.isEmpty()) {  
                System.out.println(s2.pop());  
            }  
        }  
     
}

  • 1.3.13
    答案
b c d
  • 1.3.14
    答案
import java.util.Iterator;
import java.util.NoSuchElementException;

public class ResizingArrayQueue<Item> implements Iterable<Item> {
    private Item[] q;       // queue elements
    private int n;          // number of elements on queue
    private int first;      // index of first element of queue
    private int last;       // index of next available slot


    /**
     * Initializes an empty queue.
     */
    public ResizingArrayQueue() {
        q = (Item[]) new Object[2];
        n = 0;
        first = 0;
        last = 0;
    }

    /**
     * Is this queue empty?
     * @return true if this queue is empty; false otherwise
     */
    public boolean isEmpty() {
        return n == 0;
    }

    /**
     * Returns the number of items in this queue.
     * @return the number of items in this queue
     */
    public int size() {
        return n;
    }

    // resize the underlying array
    private void resize(int capacity) {
        assert capacity >= n;
        Item[] temp = (Item[]) new Object[capacity];
        for (int i = 0; i < n; i++) {
            temp[i] = q[(first + i) % q.length];
        }
        q = temp;
        first = 0;
        last  = n;
    }

    /**
     * Adds the item to this queue.
     * @param item the item to add
     */
    public void enqueue(Item item) {
        // double size of array if necessary and recopy to front of array
        if (n == q.length) resize(2*q.length);   // double size of array if necessary
        q[last++] = item;                        // add item
        if (last == q.length) last = 0;          // wrap-around
        n++;
    }

    /**
     * Removes and returns the item on this queue that was least recently added.
     * @return the item on this queue that was least recently added
     * @throws java.util.NoSuchElementException if this queue is empty
     */
    public Item dequeue() {
        if (isEmpty()) throw new NoSuchElementException("Queue underflow");
        Item item = q[first];
        q[first] = null;                            // to avoid loitering
        n--;
        first++;
        if (first == q.length) first = 0;           // wrap-around
        // shrink size of array if necessary
        if (n > 0 && n == q.length/4) resize(q.length/2); 
        return item;
    }

    /**
     * Returns the item least recently added to this queue.
     * @return the item least recently added to this queue
     * @throws java.util.NoSuchElementException if this queue is empty
     */
    public Item peek() {
        if (isEmpty()) throw new NoSuchElementException("Queue underflow");
        return q[first];
    }


    /**
     * Returns an iterator that iterates over the items in this queue in FIFO order.
     * @return an iterator that iterates over the items in this queue in FIFO order
     */
    public Iterator<Item> iterator() {
        return new ArrayIterator();
    }

    // an iterator, doesn't implement remove() since it's optional
    private class ArrayIterator implements Iterator<Item> {
        private int i = 0;
        public boolean hasNext()  { return i < n;                               }
        public void remove()      { throw new UnsupportedOperationException();  }

        public Item next() {
            if (!hasNext()) throw new NoSuchElementException();
            Item item = q[(i + first) % q.length];
            i++;
            return item;
        }
    }

   /**
     * Unit tests the {@code ResizingArrayQueue} data type.
     *
     * @param args the command-line arguments
     */
    public static void main(String[] args) {
        ResizingArrayQueue<String> queue = new ResizingArrayQueue<String>();
        while (!StdIn.isEmpty()) {
            String item = StdIn.readString();
            if (!item.equals("-")) queue.enqueue(item);
            else if (!queue.isEmpty()) StdOut.print(queue.dequeue() + " ");
        }
        StdOut.println("(" + queue.size() + " left on queue)");
    }

}
  • 1.3.15
    答案
import java.util.Iterator;  
  
import edu.princeton.cs.algs4.StdIn;  
  
/** 
 * ClassName    : Queue <br> 
 * Function     : TODO ADD FUNCTION. <br> 
 * date         : Sep 28, 2016 10:21:54 AM <br> 
 *  
 * @version  
 */  
public class Queue<Item> implements Iterable<Item>  
{  
    private Node first;  
    private Node last;  
    private int n;  
      
    private class Node  
    {  
        Item item;  
        Node next;  
    }  
      
    public boolean isEmpty()  
    {  
        return first == null;  
    }  
      
    public int size()  
    {  
        return n;  
    }  
      
    public void enqueue(Item item)  
    {  
        Node oldlast = last;  
        last = new Node();  
        last.item = item;  
        last.next = null;  
        if (isEmpty())  
        {  
            first = last;  
        }  
        else   
        {  
            oldlast.next = last;  
        }  
        n++;  
    }  
      
    public Item dequeue()  
    {  
        Item item = first.item;  
        first = first.next;  
        if (isEmpty())  
        {  
            last = null;  
        }  
        n--;  
        return item;  
    }  
      
    @Override  
    public Iterator<Item> iterator()  
    {  
        return new QueueIterator();  
    }  
      
    private class QueueIterator implements Iterator<Item>  
    {  
        private Node current = first;  
        @Override  
        public boolean hasNext()  
        {  
            return current != null;  
        }  
          
        @Override  
        public Item next()  
        {  
            Item item = current.item;  
            current = current.next;  
            return item;  
        }  
    }  
      
      
      
    public static void main(String[] args)  
    {  
        Queue<String> q = new Queue<String>();  
        while (!StdIn.isEmpty())  
        {  
            String item = StdIn.readString();  
            if (!item.equals("-"))  
            {  
                q.enqueue(item);  
            }  
            else if (!q.isEmpty())  
            {  
                System.out.print(q.dequeue() + " ");  
            }  
        }  
        System.out.println("(" + q.size() + " left on queue)");  
    }  
  
}  

測試:
public class E10315  
{  
    public static void main(String[] args)  
    {  
        int k = Integer.parseInt(args[0]);  
        Scanner scanner = new Scanner(System.in);  
        Queue<String> q = new Queue<String>();  
        while (scanner.hasNext()) {  
            q.enqueue(scanner.next());  
        }  
        scanner.close();  
          
        int size = q.size();  
        for (int i = 0; i < size - k; i++) {  
//            System.out.print(q.dequeue() + " ");  
            q.dequeue();  
        }  
        System.out.println(q.dequeue());  
    }  
}  
  • 1.3.16
    答案
public class Date  
{  
    private final int month;  
    private final int day;  
    private final int year;  
      
    public Date(int m, int d, int y)  
    {  
        month = m;  
        day = d;  
        year = y;  
    }  
      
    public Date(String date)  
    {  
        String[] s = date.split("\\/");  
        if (s.length != 3) {  
            throw new IllegalArgumentException("Arguments illegal: " + date);  
        }  
        month = Integer.parseInt(s[0]);  
        day = Integer.parseInt(s[1]);  
        year = Integer.parseInt(s[2]);  
    }  
      
    public int month()  
    {  
        return month;  
    }  
      
    public int day()  
    {  
        return day;  
    }  
      
    public int year()  
    {  
        return year;  
    }  
      
    public String toString()  
    {  
        return month() + "/" + day() + "/" + year();  
    }  
      
    public boolean equals(Object x)  
    {  
        if (this == x) return true;  
        if (x == null) return false;  
        if (this.getClass() != x.getClass()) return false;  
        Date that = (Date)x;  
        if (this.day != that.day) return false;   
        if (this.month != that.month) return false;  
        if (this.year != that.year) return false;   
        return true;  
    }  
      
    public static Date[] readDates(String s)  
    {  
        String[] dates = s.split(" ");  
        int n = dates.length;  
        Queue<Date> q = new Queue<Date>();  
        for (int i = 0; i < n; i++) {  
            q.enqueue(new Date(dates[i]));  
        }  
          
        Date[] result = new Date[n];  
        for (int i = 0; i < n; i++) {  
            result[i] = q.dequeue();  
        }  
             
        return result;  
    }  
}  
測試:
    public class E10316  
    {  
        public static void main(String[] args)  
        {  
            String s = "11/30/2009 1/12/2012";  
            Date[] dates = Date.readDates(s);  
            for (int i = 0; i < dates.length; i++) {  
                System.out.println(dates[i]);  
            }  
        }  
    }  
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末挖诸,一起剝皮案震驚了整個濱河市仙逻,隨后出現(xiàn)的幾起案子,更是在濱河造成了極大的恐慌魏颓,老刑警劉巖,帶你破解...
    沈念sama閱讀 216,324評論 6 498
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件房官,死亡現(xiàn)場離奇詭異镀脂,居然都是意外死亡,警方通過查閱死者的電腦和手機稠集,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 92,356評論 3 392
  • 文/潘曉璐 我一進店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來饥瓷,“玉大人剥纷,你說我怎么就攤上這事∧孛” “怎么了晦鞋?”我有些...
    開封第一講書人閱讀 162,328評論 0 353
  • 文/不壞的土叔 我叫張陵,是天一觀的道長棺克。 經(jīng)常有香客問我鳖宾,道長,這世上最難降的妖魔是什么逆航? 我笑而不...
    開封第一講書人閱讀 58,147評論 1 292
  • 正文 為了忘掉前任鼎文,我火速辦了婚禮,結(jié)果婚禮上因俐,老公的妹妹穿的比我還像新娘拇惋。我一直安慰自己周偎,他們只是感情好,可當(dāng)我...
    茶點故事閱讀 67,160評論 6 388
  • 文/花漫 我一把揭開白布撑帖。 她就那樣靜靜地躺著蓉坎,像睡著了一般。 火紅的嫁衣襯著肌膚如雪胡嘿。 梳的紋絲不亂的頭發(fā)上蛉艾,一...
    開封第一講書人閱讀 51,115評論 1 296
  • 那天,我揣著相機與錄音衷敌,去河邊找鬼勿侯。 笑死,一個胖子當(dāng)著我的面吹牛缴罗,可吹牛的內(nèi)容都是我干的助琐。 我是一名探鬼主播,決...
    沈念sama閱讀 40,025評論 3 417
  • 文/蒼蘭香墨 我猛地睜開眼面氓,長吁一口氣:“原來是場噩夢啊……” “哼兵钮!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起舌界,我...
    開封第一講書人閱讀 38,867評論 0 274
  • 序言:老撾萬榮一對情侶失蹤掘譬,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后呻拌,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體葱轩,經(jīng)...
    沈念sama閱讀 45,307評論 1 310
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 37,528評論 2 332
  • 正文 我和宋清朗相戀三年柏锄,在試婚紗的時候發(fā)現(xiàn)自己被綠了酿箭。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片复亏。...
    茶點故事閱讀 39,688評論 1 348
  • 序言:一個原本活蹦亂跳的男人離奇死亡趾娃,死狀恐怖,靈堂內(nèi)的尸體忽然破棺而出缔御,到底是詐尸還是另有隱情抬闷,我是刑警寧澤,帶...
    沈念sama閱讀 35,409評論 5 343
  • 正文 年R本政府宣布耕突,位于F島的核電站笤成,受9級特大地震影響,放射性物質(zhì)發(fā)生泄漏眷茁。R本人自食惡果不足惜炕泳,卻給世界環(huán)境...
    茶點故事閱讀 41,001評論 3 325
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望上祈。 院中可真熱鬧培遵,春花似錦浙芙、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 31,657評論 0 22
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至皇耗,卻和暖如春南窗,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背郎楼。 一陣腳步聲響...
    開封第一講書人閱讀 32,811評論 1 268
  • 我被黑心中介騙來泰國打工万伤, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留,地道東北人箭启。 一個月前我還...
    沈念sama閱讀 47,685評論 2 368
  • 正文 我出身青樓壕翩,卻偏偏與公主長得像,于是被迫代替她去往敵國和親傅寡。 傳聞我的和親對象是個殘疾皇子放妈,可洞房花燭夜當(dāng)晚...
    茶點故事閱讀 44,573評論 2 353

推薦閱讀更多精彩內(nèi)容

  • 曾經(jīng)有一份美好的愛情放在我的面前我沒有珍惜托启。等到失去后才后悔莫及宅倒。如果可以再對小李說。毛欣想說屯耸。這輩子無緣再牽手拐迁。...
    毛欣與小李閱讀 2,610評論 0 13
  • 【1】7,9疗绣,-1线召,5,( ) A多矮、4缓淹;B、2塔逃;C讯壶、-1;D湾盗、-3 分析:選D伏蚊,7+9=16;9+(-1)=8格粪;(...
    Alex_bingo閱讀 18,885評論 1 19
  • 抄了一天的筆記凳怨,聽了一天的錄音瑰艘。好像分數(shù)沒多少,但總算是把筆記的部分完成了肤舞。下班的時候紫新,突然發(fā)現(xiàn)自己不想動...
    福娃婧閱讀 75評論 0 1
  • 走進一個從未見過的世界 努力用眼神捕捉一草一木 再回首 望著從前的一切 隔著不久前新越過的龍門 白天的陽光下 好奇...
    C6H5OH閱讀 312評論 0 1
  • 女主(夢夏)每個人都有自己的人生,而我卻是一無所有李剖。這時天掉下個奇怪的人
    故夢櫻閱讀 198評論 0 1