Given two vectors of integers v1 and v2, implement an iterator to return their elements alternately.
Implement the ZigzagIterator class:
ZigzagIterator(List<int> v1, List<int> v2) initializes the object with the two vectors v1 and v2.
boolean hasNext() returns true if the iterator still has elements, and false otherwise.
int next() returns the current element of the iterator and moves the iterator to the next element.
Example 1:
Input: v1 = [1,2], v2 = [3,4,5,6]
Output: [1,3,2,4,5,6]
Explanation: By calling next repeatedly until hasNext returns false, the order of elements returned by next should be: [1,3,2,4,5,6].
Example 2:
Input: v1 = [1], v2 = []
Output: [1]
Example 3:
Input: v1 = [], v2 = [1]
Output: [1]
Constraints:
0 <= v1.length, v2.length <= 1000
1 <= v1.length + v2.length <= 2000
-231 <= v1[i], v2[i] <= 231 - 1
Follow up: What if you are given k vectors? How well can your code be extended to such cases?
Clarification for the follow-up question:
The "Zigzag" order is not clearly defined and is ambiguous for k > 2 cases. If "Zigzag" does not look right to you, replace "Zigzag" with "Cyclic".
classZigzagIterator:def__init__(self,v1:List[int],v2:List[int]):self.cur=0self.size=2self.indexes=[0]*self.sizeself.vectors=[v1,v2]defnext(self)->int:vector=self.vectors[self.cur]index=self.indexes[self.cur]res=vector[index]self.indexes[self.cur]=index+1self.cur=(self.cur+1)%self.sizereturnresdefhasNext(self)->bool:start=self.curwhileself.indexes[self.cur]==len(self.vectors[self.cur]):self.cur=(self.cur+1)%self.sizeifself.cur==start:returnFalsereturnTrue# Your ZigzagIterator object will be instantiated and called as such:# i, v = ZigzagIterator(v1, v2), []# while i.hasNext(): v.append(i.next())
publicclassZigzagIterator{privateintcur;privateintsize;privateList<Integer>indexes=newArrayList<>();privateList<List<Integer>>vectors=newArrayList<>();publicZigzagIterator(List<Integer>v1,List<Integer>v2){cur=0;size=2;indexes.add(0);indexes.add(0);vectors.add(v1);vectors.add(v2);}publicintnext(){List<Integer>vector=vectors.get(cur);intindex=indexes.get(cur);intres=vector.get(index);indexes.set(cur,index+1);cur=(cur+1)%size;returnres;}publicbooleanhasNext(){intstart=cur;while(indexes.get(cur)==vectors.get(cur).size()){cur=(cur+1)%size;if(start==cur){returnfalse;}}returntrue;}}/** * Your ZigzagIterator object will be instantiated and called as such: * ZigzagIterator i = new ZigzagIterator(v1, v2); * while (i.hasNext()) v[f()] = i.next(); */