You are given two binary strings s and t, both of length n, and three positive integers flipCost, swapCost, and crossCost.
You are allowed to apply the following operations any number of times (in any order) to the strings s and t:
- Choose any index
iand flips[i]ort[i](change'0'to'1'or'1'to'0'). The cost of this operation isflipCost. - Choose two distinct indices
iandj, and swap eithers[i]ands[j]ort[i]andt[j]. The cost of this operation isswapCost. - Choose an index
iand swaps[i]witht[i]. The cost of this operation iscrossCost.
Return an integer denoting the minimum total cost needed to make the strings s and t equal.
Example 1:
Input: s = "01000", t = "10111", flipCost = 10, swapCost = 2, crossCost = 2
Output: 16
Explanation:
We can perform the following operations:
- Swap
s[0]ands[1](swapCost = 2). After this operation,s = "10000"andt = "10111". - Cross swap
s[2]andt[2](crossCost = 2). After this operation,s = "10100"andt = "10011". - Swap
s[2]ands[3](swapCost = 2). After this operation,s = "10010"andt = "10011". - Flip
s[4](flipCost = 10). After this operation,s = t = "10011".
The total cost is 2 + 2 + 2 + 10 = 16.
Example 2:
Input: s = "001", t = "110", flipCost = 2, swapCost = 100, crossCost = 100
Output: 6
Explanation:
Flipping all the bits of s makes the strings equal, and the total cost is 3 * flipCost = 3 * 2 = 6.
Example 3:
Input: s = "1010", t = "1010", flipCost = 5, swapCost = 5, crossCost = 5
Output: 0
Explanation:
The strings are already equal, so no operations are required.
Constraints:
n == s.length == t.length1 <= n <= 1051 <= flipCost, swapCost, crossCost <= 109sandtconsist only of the characters'0'and'1'.
class Solution:def minimumCost(self, s: str, t: str, flipCost: int, swapCost: int, crossCost: int) -> int:# scenario1 全部用flipdiff = sum([s[i] != t[i] for i in range(len(s))])flip = diff * flipCost# scenario2 尽量用swap,然后用flips_zero = sum([s[i] != t[i] and s[i] == '0' for i in range(len(s))])t_zero = diff - s_zerosmaller, bigger = min(s_zero, t_zero), max(s_zero, t_zero)swap = smaller * swapCost + (diff - smaller * 2) * flipCost# scenario3 先用crossswap,再用swap,然后用flipcross_count = (bigger - smaller) // 2smaller += cross_countbigger -= cross_countcross = cross_count * crossCost + smaller * swapCost + (diff - smaller * 2) * flipCostreturn min(flip, swap, cross)''' 3种情况: 1. 都用flip 2. swap + flip 3. crossswap + flip100000 001111s:01000 t:01111 diff = 5 s_0 = 1 t_0 = 410000 01111 diff = 5 s_0 = 1 t_0 = 4smaller = 1 bigger = 5 cross = (bigger - smaller) // 211000 00111'''