2022.03.10 - NC051.BM74 数字字符串转化成IP地址

文章目录

  • 1. 题目
  • 2. 思路
    • (1) 回溯法
  • 3. 代码

1. 题目

2022.03.10 - NC051.BM74 数字字符串转化成IP地址_第1张图片

2. 思路

(1) 回溯法

  • 利用回溯法找出符合条件的四个子字符串,每个子字符串的长度为[1,3],数值大小为[0,255],且要保证四个子字符串正好用完所有字符,不能多也不能少。
  • 若某个子字符串的第一位是0,则直接跳到下一个子字符串。

3. 代码

import java.util.ArrayList;

public class Test {
    public static void main(String[] args) {
    }
}

class Solution {
    /**
     * @param s string字符串
     * @return string字符串ArrayList
     */
    public ArrayList<String> restoreIpAddresses(String s) {
        char[] chars = s.toCharArray();
        int n = chars.length;
        ArrayList<String> res = new ArrayList<>();
        ArrayList<Integer> list = new ArrayList<>();
        backtrack(s, 0, n, res, list);
        return res;
    }

    public void backtrack(String s, int index, int n, ArrayList<String> res, ArrayList<Integer> list) {
        if (index == n && list.size() == 4) {
            res.add(list.get(0) + "." + list.get(1) + "." + list.get(2) + "." + list.get(3));
            return;
        }
        for (int i = index; i < index + 3 && i < n; i++) {
            if (index + (4 - list.size()) * 3 < n) {
                return;
            }
            if (index + 4 - list.size() > n) {
                return;
            }
            int num = Integer.parseInt(s.substring(index, i + 1));
            if (num <= 255) {
                list.add(num);
                backtrack(s, i + 1, n, res, list);
                list.remove(list.size() - 1);
            }
            if (num == 0) {
                break;
            }
        }
    }
}

你可能感兴趣的:(算法,#,牛客网,算法)