Problem description
Solution
参考:https://leetcode-cn.com/problems/maximum-length-of-a-concatenated-string-with-unique-characters/solution/jian-ji-de-chui-su-yi-dong-by-huwt/
对于的数组中每一个字符串A,
- 如果当前字符串加上串 A 没有重复字符
- 有两种可能添加或者不添加,我们只需比较添加该数的结果以及未添加结果的长度的最大值即可得到最终结果。类似二叉树的 dfs,
- 如果当前字符串加上串 A 有重复字符,应该直接跳过串 A
位压缩: 指的用若干位数字 N 记录数字,字符等的存在状态,如果 1 << x 位(x 为整数)& N 不为零,表示 x 处的字符存在.如 26 位表示字母是否存在。1 << 0 表示第一个字符 ‘a’. 如果 1 << 0 & N 不为零,表示有 a 这个字符。参考https://blog.csdn.net/Geecky/article/details/52211373
Code
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33
| import kotlin.math.max
class Solution { private var t: Int = 0 fun maxLength(arr: List<String>): Int { return dfs(arr, 0, 0) }
private fun dfs(arr: List<String>, childIndex: Int, m: Int): Int { if (childIndex == arr.size) { return 0 } t = m val str = arr[childIndex] if (isUnique(str)) { val addChild = str.length + dfs(arr, childIndex + 1, t) val noAddChild = dfs(arr, childIndex + 1, m) return max(addChild, noAddChild) } return dfs(arr, childIndex + 1, m) }
private fun isUnique(str: String): Boolean { val length = str.length for (i in 0 until length) { if (t and (1 shl str[i] - 'a') != 0) { return false } t = t or (1 shl str[i] - 'a') } return true } }
|