Some DNA sequences exist in circular forms as in the following figure, which shows a circular sequence “CGAGTCAGCT”, that is, the last symbol “T” in “CGAGTCAGCT” is connected to the first symbol “C”. We always read a circular sequence in the clockwise direction. Since it is not easy to store a circular sequence in a computer as it is, we decided to store it as a linear sequence. However, there can be many linear sequences that are obtained from a circular sequence by cutting any place of the circular sequence. Hence, we also decided to store the linear sequence that is lexicographically smallest among all linear sequences that can be obtained from a circular sequence.
Your task is to find the lexicographically smallest sequence from a given circular sequence. For the example in the figure, the lexicographically smallest sequence is “AGCTCGAGTC”. If there are two or more linear sequences that are lexicographically smallest, you are to find any one of them (in fact, they are the same).
The input consists of T test cases. The number of test cases T is given on the first line of the input file. Each test case takes one line containing a circular sequence that is written as an arbitrary linear sequence. Since the circular sequences are DNA sequences, only four symbols, ‘A’, ‘C’, ‘G’ and ‘T’, are allowed. Each sequence has length at least 2 and at most 100.
Print exactly one line for each test case. The line is to contain the lexicographically smallest sequence for the test case.
2
CGAGTCAGCT
CTCC
AGCTCGAGTC
CCCT
懒得翻译英文或者英文不太好的小伙伴不要担心,其实此题非常简单,我们的任务是在输入的环状序列中,找到字典序最小的顺序并输出。
#include
#include
using namespace std;
const int maxn = 105;
int less_1(char* s, int p, int q)
{
int n = strlen(s);
for(int i = 0; i < n; ++i)
{
if(s[(p+i)%n] != s[(q+i)%n])
return s[(p+i)%n] < s[(q+i)%n];
}
return 0;
}
int main()
{
int n;
char s[maxn];
scanf("%d",&n);
while(n--)
{
scanf("%s",s);
int length = strlen(s);
int tmp = 0;
for(int j = 0; j < length; ++j)
{
if(less_1(s,j,tmp))
tmp = j;
else
continue;
}
for(int k = 0; k < length; ++k)
{
putchar(s[(k+tmp) % length]);
}
printf("\n");
}
}
import numpy as np
def less_1(ss, p, q):
nn = len(ss)
for i in range(nn):
if ss[(p + i) % nn] != ss[(q + i) % nn]:
return ss[(p + i) % nn] < ss[(q + i) % nn]
return 0
if __name__ == '__main__':
n = int(input())
for pp in range(n):
s = input()
length = len(s)
tmp = 0
for j in range(length):
if less_1(s, j, tmp):
tmp = j
for k in range(length):
print(s[(k + tmp) % length], end='')
print('\n')