JS实现记住用户密码

JS实现记住用户密码概述本文讲解如何使用JS实现我们常见的记住密码的功能。

效果展示构建HTML框架代码语言:javascript复制

记住密码

JS编写逻辑代码语言:javascript复制完整代码代码语言:javascript复制

Document

记住密码

滑动窗口给定一个大小为 n≤106 的数组。

有一个大小为 k 的滑动窗口,它从数组的最左边移动到最右边。

你只能在窗口中看到 k 个数字。

每次滑动窗口向右移动一个位置。

以下是一个例子:

该数组为 [1 3 -1 -3 5 3 6 7],k 为 3。

窗口位置 最小值 最大值

[1 3 -1] -3 5 3 6 7 -1 3

1 [3 -1 -3] 5 3 6 7 -3 3

1 3 [-1 -3 5] 3 6 7 -3 5

1 3 -1 [-3 5 3] 6 7 -3 5

1 3 -1 -3 [5 3 6] 7 3 6

1 3 -1 -3 5 [3 6 7] 3 7

你的任务是确定滑动窗口位于每个位置时,窗口中的最大值和最小值。

输入格式

输入包含两行。

第一行包含两个整数 n 和 k,分别代表数组长度和滑动窗口的长度。

第二行有 n 个整数,代表数组的具体数值。

同行数据之间用空格隔开。

输出格式

输出包含两个。

第一行输出,从左至右,每个位置滑动窗口中的最小值。

第二行输出,从左至右,每个位置滑动窗口中的最大值。

输入样例:

8 3

1 3 -1 -3 5 3 6 7

输出样例:

-1 -3 -3 -3 3 3

3 3 5 5 6 7

提交代码

C++代码语言:javascript复制#include

using namespace std;

const int N = 1000010;

int a[N], q[N], hh, tt = -1;

int main()

{

int n, k;

cin >> n >> k;

for (int i = 0; i < n; ++ i) // 这个题要注意的是 q队列里面存放的是位置

{

scanf ("%d", &a[i]); // 先求的是最小值

if (i - k + 1 > q[hh]) ++hh; // 如果最小值的位置已经滑出窗口了 然后就

// ++ hh代表这个数已经没了

while (hh <= tt && a[i] <= a[q[tt]]) -- tt; // 先确保队列里面有数字

// 然后如果新来的数字要小于 队列里面的最小值

// 那么--tt 就代表当前队列的最小值去掉

q[++ tt] = i; // 把新来的数字放到队列中

if (i + 1 >= k) printf ("%d ", a[q[hh]]); // 当前队列的长度已经满足k了

// 就可以把对首的元素输出出来

}

puts("");

int hh = 0, tt = -1;

for (int i = 0; i < n; ++ i)

{

if (i - k + 1 > q[hh]) ++ hh;

while (hh <= tt && a[i] >= a[q[tt]]) -- tt;

q[++ tt] = i;

if (i + 1 >= k) printf("%d ", a[q[hh]]);

}

return 0;

}Java代码语言:javascript复制import java.io.*;

public class Main

{

final static int N = 1000010;

static int [] a = new int [N];

static int [] q = new int [N];

static int hh = 0, tt = -1;

public static void main(String[] args) throws IOException

{

int n, k;

BufferedReader reader = new BufferedReader(new InputStreamReader(System.in));

BufferedWriter out = new BufferedWriter(new OutputStreamWriter(System.out));

String [] str = reader.readLine().split(" ");

n = Integer.parseInt(str[0]);

k = Integer.parseInt(str[1]);

str = reader.readLine().split(" ");

for (int i = 0; i < n; ++ i) a[i] = Integer.parseInt(str[i]);

// for (int i = 0; i < n; ++ i)

// {

// if (hh <= tt && i - k + 1 > q[hh]) ++ hh;

// while (hh <= tt && a[i] <= a[q[hh]]) -- tt;

// q[++ tt] = i;

// if (i + 1 >= k) out.write(a[q[hh]]+" ");

// }

for(int i = 0; i < n; i ++)

{

if(hh <= tt && i - q[hh] + 1 > k) hh++;//判断队头是否已经滑出窗口

while(hh <= tt && a[q[tt]] >= a[i]) tt--;//出队

q[++tt] = i;//入队

if(i >= k - 1) out.write(a[q[hh]]+" ");

}

out.write("\n");

hh = 0;

tt = -1;

// for (int i = 0; i < n; ++ i)

// {

// if (hh <= tt && i - k + 1 > q[hh]) ++ hh;

// while (hh <= tt && a[i] >= a[q[hh]]) -- tt;

// q[++ tt] = i;

// if (i + 1 >= k) out.write(a[q[hh]]+" ");

// }

for(int i = 0; i < n; i ++)

{

if(hh <= tt && i - q[hh] + 1 > k) hh++;//判断队头是否已经滑出窗口

while(hh <= tt && a[q[tt]] <= a[i]) tt--;//出队

q[++tt] = i;//入队

if(i >= k - 1) out.write(a[q[hh]]+" ");

}

out.flush();

out.close();

}

}