给定一个长度为N的整数数列,输出每个数左边第一个比它小的数,如果不存在则输出-1。
第一行包含整数N,表示数列长度。
第二行包含N个整数,表示整数数列。
共一行,包含N个整数,其中第i个数表示第i个数的左边第一个比它小的数,如果不存在则输出-1。
1≤N≤1051≤N≤1051≤数列中元素≤1091≤数列中元素≤109
5 3 4 2 7 5
-1 3 -1 2 2思路:用栈维护一个单调序列
import java.util.Scanner; import java.util.Stack; public class Main{ static Stack<Integer> sta=new Stack<>(); public static void main(String[] args) { Scanner scan=new Scanner(System.in); int m=scan.nextInt(); while(m-->0){ int num=scan.nextInt(); while(!sta.isEmpty() && sta.peek()>=num) sta.pop(); if(sta.isEmpty()) System.out.print("-1 "); else System.out.print(sta.peek()+" "); sta.push(num); } } }