📜  从列表值中获取第 K 个索引的最长字母顺序的Python程序

📅  最后修改于: 2022-05-13 01:55:34.912000             🧑  作者: Mango

从列表值中获取第 K 个索引的最长字母顺序的Python程序

给定一个字符串列表,任务是编写一个Python程序来提取在第 K 个索引处形成最长递增字母顺序的字符串。 K 应该小于所有字符串的最小长度。

方法:使用带滑动窗口的循环

在此,我们使用滑动窗口技术不断检查增加的最长子串并不断更新子串序列的最大值,并更新结果列表。



最后相应地打印结果。

示例

Python3
# Python3 code to demonstrate working of
# Longest Alphabetic order of Kth index
# Using loop with sliding window
  
# initializing list
test_list = ["gfg", "is", "best", "for", "geeks", "and", "cs"]
  
# printing original list
print("The original list is : " + str(test_list))
  
# initializing K
K = 1
  
res = []
curr = test_list[:1]
for idx in range(1, len(test_list)):
  
    # checking for greater element
    if test_list[idx][K] <= test_list[idx - 1][K]:
  
        # comparing current with maximum length
        if len(curr) > len(res):
            res = curr
        curr = [test_list[idx]]
    else:
        curr.append(test_list[idx])
if len(curr) > len(res):
    res = curr
  
# printing result
print("Longest increasing Alphabetic order : " + str(res))


输出: