先决条件:有限自动机简介
在本文中,我们将看到非确定性有限自动机 (NFA) 的一些设计。
问题1:接受一组字符串超过{A,B}的最小NFA的构建,其中的语言开始的每个字符串用“A”。
说明:所需的语言将类似于:
L1 = {ab, abba, abaa, ...........}
在这里我们可以看到,上述语言的每个字符串都以“a”开头,并以任何字母“a”或“b”结尾。
但是此 NFA 不接受以下语言,因为以下语言的字符串均不以“a”开头。
L2 = {ba, ba, babaaa..............}
所需语言的状态转换图如下所示:
在上面的 NFA 中,初始状态 ‘X’ 在获得 ‘a’ 作为输入时它转换到最终状态 ‘Y’。将 ‘a’ 或 ‘b’ 作为输入的最终状态 ‘Y’ 保持其自身状态。
Python实现:
def stateX(n):
#if length of n become 0
#then print not accepted
if(len(n)==0):
print("string not accepted")
else:
#if at zero index
#'a' found call
#stateY function
if (n[0]=='a'):
stateY(n[1:])
#if at zero index
#'b' then print
#not accepted
elif (n[0]=='b'):
print("string not accepted")
def stateY(n):
#if length of n become 0
#then print accepted
if(len(n)==0):
print("string accepted")
else:
#if at zero index
#'a' found call
#stateY function
if (n[0]=='a'):
stateY(n[1:])
#if at zero index
#'b' found call
#stateY function
elif (n[0]=='b'):
stateY(n[1:])
#take input
n=input()
#call stateA function
#to check the input
stateX(n)
问题2:接受一组字符串超过{A,B},其中该语言的每个字符串不与“A”开始的最小NFA的构建。
说明:所需的语言将类似于:
L1 = {ba, bba, bbaa, ...........}
在这里我们可以看到,上述语言的每个字符串都不是以“a”开头,而是可以以“a”或“b”结尾。
但是下面的语言不被这个NFA接受,因为下面的语言的一些字符串以’a’开头。
L2 = {ab, aba, ababaab..............}
所需语言的状态转换图如下所示:
在上面的 NFA 中,初始状态 ‘X’ 在获得 ‘b’ 作为输入时它转换到最终状态 ‘Y’。将 ‘a’ 或 ‘b’ 作为输入的最终状态 ‘Y’ 保持其自身状态。
Python实现:
def stateX(n):
#if length of n become 0
#then print not accepted
if(len(n)==0):
print("string not accepted")
else:
#if at zero index
#'b' found call
#stateY function
if (n[0]=='b'):
stateY(n[1:])
#if at zero index
#'a' then print
#not accepted
elif (n[0]=='a'):
print("string not accepted")
def stateY(n):
#if length of n become 0
#then print accepted
if(len(n)==0):
print("string accepted")
else:
#if at zero index
#'a' found call
#stateY function
if (n[0]=='a'):
stateY(n[1:])
#if at zero index
#'b' found call
#stateY function
elif (n[0]=='b'):
stateY(n[1:])
#take input
n=input()
#call stateA function
#to check the input
stateX(n)