# Descirption
Luogu 传送门
# Solution
题目要求我们求出符合某种条件的方案数,不难想到使用容斥或者二项式反演。
考虑二项式反演的套路,设至少 blablabla 的方案数 ,恰好 blablabla 的方案数 ,然后通过一定方法来计算。
回到这道题目上,我们设:
- 至少有 行 列没有染色,且有 种颜色没有使用的方案数为 。
- 恰好有 行 列没有染色,且有 种颜色没有使用的方案数为
那么答案就是 。
注意到 是可以直接计算的,即:
即从 行里选 列不合法, 列里选 列不合法, 种颜色中选 种不使用,使用的 种颜色各有 种放法。
然后二项式反演一下:
则:
# Code
#include <bits/stdc++.h> | |
using namespace std; | |
namespace IO{ | |
inline int read(){ | |
int x = 0; | |
char ch = getchar(); | |
while(!isdigit(ch)) ch = getchar(); | |
while(isdigit(ch)) x = (x << 3) + (x << 1) + ch - '0', ch = getchar(); | |
return x; | |
} | |
template <typename T> inline void write(T x){ | |
if(x > 9) write(x / 10); | |
putchar(x % 10 + '0'); | |
} | |
} | |
using namespace IO; | |
const int N = 410; | |
const int mod = 1e9 + 7; | |
int n, m, c; | |
int fac[N], ifac[N]; | |
int px[N * N]; | |
inline int qpow(int a, int b){ | |
int res = 1; | |
while(b){ | |
if(b & 1) res = 1ll * res * a % mod; | |
a = 1ll * a * a % mod, b >>= 1; | |
} | |
return res; | |
} | |
inline int C(int n, int m){ | |
return 1ll * fac[n] * ifac[m] % mod * ifac[n - m] % mod; | |
} | |
inline void init(int n){ | |
fac[0] = 1; | |
for(int i = 1; i <= n; ++i) fac[i] = 1ll * fac[i - 1] * i % mod; | |
ifac[n] = qpow(fac[n], mod - 2); | |
for(int i = n - 1; i >= 0; --i) ifac[i] = 1ll * ifac[i + 1] * (i + 1) % mod; | |
} | |
signed main(){ | |
n = read(), m = read(), c = read(); | |
init(max(max(n, m), c)); | |
int ans = 0; | |
for(int k = 0; k <= c; ++k){ | |
px[0] = 1; | |
for(int i = 1; i <= n * m; ++i) px[i] = 1ll * px[i - 1] * (c - k + 1) % mod; | |
for(int i = 0; i <= n; ++i) | |
for(int j = 0; j <= m; ++j) | |
ans = (ans + ((i + j + k) & 1 ? -1ll : 1ll) * C(n, i) % mod * C(m, j) % mod * C(c, k) % mod * px[(n - i) * (m - j)] % mod + mod) % mod; | |
} | |
write(ans), puts(""); | |
return 0; | |
} | |
// X.K. |