Translation Notice
This article was machine-translated using DeepSeek-R1.
- Original Version: Authored in Chinese by myself
- Accuracy Advisory: Potential discrepancies may exist between translations
- Precedence: The Chinese text shall prevail in case of ambiguity
- Feedback: Technical suggestions regarding translation quality are welcomed
C - Dice Sum
Problem Statement
How many integer sequences $A=(A_1,\dots,A_N)$ satisfy the following conditions:
- $1\le A_i\le M$
- $\sum\limits_{i=1}^NA_i\le K$
Output the answer modulo $998244353$.
$1\le N,M\le 50$
$N\le K\le NM$
Input Format
$N~M~K$
Output Format
Print the answer modulo $998244353$.
Analysis
Damn, another DP problem for C
We use dynamic programming. Let $\text{dp}(i,j)$ denote the number of valid sequences for the first $i$ elements with sum $j$ ($1\le A_x\le M$). The pseudocode is as follows:
|
|
Time complexity is $\mathcal O(NMK)$, which is acceptable.
Actually, prefix sum optimization can be applied.
We observe that $\mathrm{dp}(i,j)=\displaystyle\sum_{k=L}^R\text{dp}(i-1,k)$,
where $L\le R$. The exact values of $L$ and $R$ are left for derivation.
We can precompute the prefix sum $\mathrm{pre}$ of $\mathrm{dp}[i-1]$:
- $\mathrm{pre}_j=\displaystyle\sum_{k=1}^j\mathrm{dp}(i-1,k)$
Then $\mathrm{dp}(i,j)=\mathrm{pre}_R-\mathrm{pre}_{L-1}$.
This reduces the time complexity to $\mathcal O(NK)$.
Readers are strongly encouraged to derive and implement this optimization. Prefix-sum optimized DP is common in problems like E and F.
Code
|
|
D - Range Count Query
Problem Statement
Given an integer sequence $A=(A_1,\dots,A_N)$.
Process $Q$ queries. Each query is formatted as:
- Given integers $L,R,X$, count the occurrences of $X$ in $A_L,\dots,A_R$.
$1\le A_i,X\le N\le 2\times10^5$
$1\le L\le R\le N$
Input Format
$N$
$A_1~\dots~A_N$
$Q$
$L_1~R_1~X_1$
$\vdots$
$L_Q~R_Q~X_Q$
Output Format
Print $Q$ lines, each containing the answer to a query.
Analysis
The problem reduces to: For each $X$, count how many of its positions lie within $[L,R]$.
Thus, we preprocess the positions where each number appears using a vector
, then answer queries via binary search.
Code
Note the binary search boundaries.
|
|