• 257. 关押罪犯 - AcWing题库 【细节二分 | 细节二分图】


    257. 关押罪犯 - AcWing题库

    这个地方的逻辑错误:

    记住vis的作用,是为了防止多次访问同一个点,减少时间复杂度用的。

    这个题是允许同一个点被“访问多次”的,访问到了的时候,还需要判断后再返回。

    1. bool erfentu(int limits, int u, int color_now)
    2. {
    3. vis[u] = 1;
    4. for (int i = h[u]; ~i; i = ne[i])
    5. {
    6. int j = e[i];
    7. if(w[i] <= limits) continue;
    8. if(vis[j] && (color_now != color[j])) return false;
    9. color[j] = color_now;
    10. return erfentu(limits, j, color_now ^ 1);
    11. }
    12. return true;
    13. }

    w[i]<=limits(mid),取等,也就说把所有的大于limits的都连线。

    对于所有大于limits的我们不容忍他们在一个监狱。

    剩下的小于等于的都是可以成立的,对应我们可以容忍小于等于limits在一个监狱。也就是当mid = w[i]时,是成立的,所以要取等。

    可以发现,对于这个题,当二分的mid是无限大的时候一定满足条件。那么我们就轻而易举的知道这是个最大值最小问题

    如果说k是容忍度limits的最小值即答案,可知当limits小于k的时候,条件变得非常苛刻,我们无法做到所有的满足w[i] > limits对应的a和b都在不同的监狱。

    或者说,当limits(容忍度) > k时,我们总是可以更容易地能去分配这些人,因为我们的条件没有那么的苛刻,如果我们的容忍度无限大,那随便放都可以完成任务

    代码的1个细节:

    如果用异或1,^1的话,color要初始化为-1,判断也要是!= -1。
    或者0初始化,1和2判断

    1. #include
    2. typedef long long ll;
    3. using namespace std;
    4. const int N = 2e4 + 10;
    5. const int M = 2e5 + 10;
    6. int n, m;
    7. int h[N], e[M], ne[M], w[M], idx;
    8. void add(int a, int b, int c)
    9. {
    10. e[idx] = b, ne[idx] = h[a], w[idx] = c, h[a] = idx ++ ;
    11. }
    12. int color[N];
    13. bool erfentu(int limits, int u, int color_now)
    14. {
    15. color[u] = color_now;
    16. for (int i = h[u]; ~i; i = ne[i])
    17. {
    18. int j = e[i];
    19. if(w[i] <= limits) continue;
    20. if(color[j] == -1)
    21. {
    22. if(!erfentu(limits, j, color_now ^ 1))
    23. return false;
    24. } else if(color[j] == color_now)return false;
    25. }
    26. return true;
    27. }
    28. bool check(int mid)
    29. {
    30. memset(color, -1, sizeof color);
    31. for (int i = 1; i <= n; i ++ ) {
    32. if(color[i] == -1 && !erfentu(mid, i, 1))
    33. return false;
    34. }
    35. return true;
    36. }
    37. int main(){
    38. //std::ios::sync_with_stdio(false);
    39. //std::cin.tie(nullptr);
    40. memset(h, -1, sizeof h);
    41. cin >> n >> m;
    42. while(m -- ) {
    43. int a, b, c;
    44. cin >> a >> b >> c;
    45. add(a, b, c), add(b, a, c);
    46. }
    47. int l = 0, r = 1e9 + 10;
    48. while(l < r)
    49. {
    50. int mid = l + r >> 1;
    51. //cout << l << ' ' << r << ' ' << mid << '\n';
    52. if(check(mid)) r = mid;
    53. else l = mid + 1;
    54. }
    55. cout << l << '\n';
    56. return 0;
    57. }

  • 相关阅读:
    认识Spring
    七夕最浪漫的表白,最真挚的感情(Python代码实现)
    Eureka之间没有互相注册
    springBoot视频在线播放,支持快进,分片播放
    OrangePi Kunpeng Pro 开发板测评 | AI 边缘计算 & 大模型部署
    常见移动端导航类型
    说说我最近筛简历和面试的感受。。
    Exercise 09
    Grating period and grating constant(光栅周期与光栅常数)
    如何打造新时代的终端播放产品?
  • 原文地址:https://blog.csdn.net/IsayIwant/article/details/126822912