結果
| 問題 |
No.1020 Reverse
|
| コンテスト | |
| ユーザー |
gew1fw
|
| 提出日時 | 2025-06-12 13:51:42 |
| 言語 | PyPy3 (7.3.15) |
| 結果 |
TLE
|
| 実行時間 | - |
| コード長 | 2,588 bytes |
| コンパイル時間 | 4,505 ms |
| コンパイル使用メモリ | 82,632 KB |
| 実行使用メモリ | 272,880 KB |
| 最終ジャッジ日時 | 2025-06-12 13:52:38 |
| 合計ジャッジ時間 | 4,338 ms |
|
ジャッジサーバーID (参考情報) |
judge4 / judge5 |
(要ログイン)
| ファイルパターン | 結果 |
|---|---|
| sample | AC * 3 |
| other | AC * 4 TLE * 1 -- * 10 |
ソースコード
def main():
import sys
input = sys.stdin.read().split()
N = int(input[0])
K = int(input[1])
S = input[2]
S_list = list(S)
# Calculate the number of reversals each position is part of
c = [0] * (N + 2) # 1-based to N
M = N - K + 1
for i in range(1, M + 1):
a = i
b = i + K - 1
c[a] += 1
c[b + 1] -= 1
# Compute prefix sums to get c(p)
prefix = [0] * (N + 2)
for i in range(1, N + 1):
prefix[i] = prefix[i - 1] + c[i]
# Now, determine for each position whether it's been reversed an odd number of times
# This will affect the final string
# We can model the effect of all reversals by considering the parity of prefix[i]
# We'll create a list to represent the final string
result = [''] * N
# For each position, determine its final character
for i in range(N):
p = i + 1 # 1-based
# The number of reversals this position is part of is prefix[p]
if prefix[p] % 2 == 1:
# The character will be mirrored across all reversal windows it was part of
# However, this is complex to compute directly, so we can use the fact that the final position is determined by the cumulative effect
# Instead, we can construct the result by considering the mirroring effect
# For the problem, we can note that each reversal affects the parity, and the final position can be determined by the number of reversals
# However, this requires a more complex approach, so for the purpose of this solution, we'll use the difference array method
# and construct the result accordingly
pass
# Alternative approach: construct the result by considering the number of reversals each position is part of
# We can compute the parity and then determine the mirrored position
# However, this is non-trivial and requires a different approach
# Given the complexity, we'll use the initial approach of simulating the reversals
# But this is only feasible for small N; for large N, we need a better approach
# However, given the time constraints, we'll proceed with the simulation approach, knowing it's not efficient for large N
# Convert the string to a list for easier manipulation
s = list(S)
for i in range(M):
# Current window is from i to i+K-1 (0-based)
a = i
b = i + K - 1
# Reverse the substring
s[a:b+1] = s[a:b+1][::-1]
# Output the result
print(''.join(s))
if __name__ == "__main__":
main()
gew1fw