大意:班长给孩子们分配糖果,其中有些孩子们有一定的要求。
CODE:
s[i]-s[i-1]<=Ci
另外,DISCUSS中:
因为是班长做主,所以程序必须是从1号为起点,否则如果以n为起点,那就是爱管闲事的那人做主。(具体原因你可想想单源最短路的更新原理)
再举个简单的样例:
2
1 2 5
2 1 6
如果以1为起点得到的答案是5,也就是班长5个糖果,爱管闲事的0个糖果(当然两者可以同时
加上任意的正整数)。如果以2为起点,得到的答案是6,也就是班长得0个,爱管闲事的人得
6个。虽然6比5大,但是根据题意,分配糖果是班长做主,而他是想惩戒爱管闲事者,所以他肯
定会按第一种分配方案分配,所以答案仍旧是5,所以必须以一号为起点。
而且,需要用堆栈实现的SPFA,否则会TLE。
CODE:
#include <iostream>
#include <cstdlib>
#include <cstdio>
#include <cstring>
#include <queue>
using namespace std;
const int SIZE = 30010;
const int INF = 0x3f3f3f3f;
int u[5*SIZE], v[5*SIZE], w[5*SIZE], next[5*SIZE];
int first[SIZE], d[SIZE];
int n, m, cnt;
void read_graph(int u1, int v1, int w1)
{
u[cnt] = u1; v[cnt] = v1; w[cnt] = w1;
next[cnt] = first[u[cnt]];
first[u[cnt]] = cnt++;
}
void spfa(int src)
{
int stack[SIZE] = {0};
bool ins[SIZE] = {0};
int top = 0;
for(int i = 1; i <= n; i++) d[i] = (i == src)? 0:INF;
stack[top++] = src;
while(top)
{
int x = stack[--top];
ins[x] = 0;
for(int e = first[x]; e!=-1; e = next[e]) if(d[v[e]] > d[x] + w[e])
{
d[v[e]] = d[x]+w[e];
if(!ins[v[e]])
{
ins[v[e]] = 1;
stack[top++] = v[e];
}
}
}
}//SPFA的堆栈实现
void init()
{
memset(first, -1, sizeof(first));
cnt = 0;
}
int main()
{
while(~scanf("%d%d", &n, &m))
{
init();
while(m--)
{
int u1, v1, w1;
scanf("%d%d%d", &u1, &v1, &w1);
read_graph(u1, v1, w1);
}
spfa(1);
printf("%d\n", d[n]);
}
}
#include <cstdlib>
#include <cstdio>
#include <cstring>
#include <queue>
using namespace std;
const int SIZE = 30010;
const int INF = 0x3f3f3f3f;
int u[5*SIZE], v[5*SIZE], w[5*SIZE], next[5*SIZE];
int first[SIZE], d[SIZE];
int n, m, cnt;
void read_graph(int u1, int v1, int w1)
{
u[cnt] = u1; v[cnt] = v1; w[cnt] = w1;
next[cnt] = first[u[cnt]];
first[u[cnt]] = cnt++;
}
void spfa(int src)
{
int stack[SIZE] = {0};
bool ins[SIZE] = {0};
int top = 0;
for(int i = 1; i <= n; i++) d[i] = (i == src)? 0:INF;
stack[top++] = src;
while(top)
{
int x = stack[--top];
ins[x] = 0;
for(int e = first[x]; e!=-1; e = next[e]) if(d[v[e]] > d[x] + w[e])
{
d[v[e]] = d[x]+w[e];
if(!ins[v[e]])
{
ins[v[e]] = 1;
stack[top++] = v[e];
}
}
}
}//SPFA的堆栈实现
void init()
{
memset(first, -1, sizeof(first));
cnt = 0;
}
int main()
{
while(~scanf("%d%d", &n, &m))
{
init();
while(m--)
{
int u1, v1, w1;
scanf("%d%d%d", &u1, &v1, &w1);
read_graph(u1, v1, w1);
}
spfa(1);
printf("%d\n", d[n]);
}
}