# Conversion of epsilon-NFA to DFA and visualization using Graphviz from graphviz import Digraph class NFA: def __init__(self, no_state, states, no_alphabet, alphabets, start, no_final, finals, no_transition, transitions): self.no_state = no_state self.states = states self.no_alphabet = no_alphabet self.alphabets = alphabets # Adding epsilon alphabet to the list # and incrementing the alphabet count self.alphabets.append('e') self.no_alphabet += 1 self.start = start self.no_final = no_final self.finals = finals self.no_transition = no_transition self.transitions = transitions self.graph = Digraph() # Dictionaries to get index of states or alphabets self.states_dict = dict() for i in range(self.no_state): self.states_dict[self.states[i]] = i self.alphabets_dict = dict() for i in range(self.no_alphabet): self.alphabets_dict[self.alphabets[i]] = i # transition table is of the form # [From State + Alphabet pair] -> [Set of To States] self.transition_table = dict() for i in range(self.no_state): for j in range(self.no_alphabet): self.transition_table[str(i)+str(j)] = [] for i in range(self.no_transition): self.transition_table[str(self.states_dict[self.transitions[i][0]]) + str(self.alphabets_dict[ self.transitions[i][1]])].append( self.states_dict[self.transitions[i][2]]) # Method to get input from User @classmethod def fromUser(cls): no_state = int(input("Number of States : ")) states = list(input("States : ").split()) no_alphabet = int(input("Number of Alphabets : ")) alphabets = list(input("Alphabets : ").split()) start = input("Start State : ") no_final = int(input("Number of Final States : ")) finals = list(input("Final States : ").split()) no_transition = int(input("Number of Transitions : ")) transitions = list() print("Enter Transitions (from alphabet to) (e for epsilon): ") for i in range(no_transition): transitions.append(input("-> ").split()) return cls(no_state, states, no_alphabet, alphabets, start, no_final, finals, no_transition, transitions) # Method to represent quintuple def __repr__(self): return "Q : " + str(self.states)+"\nΣ : " + str(self.alphabets)+"\nq0 : " + str(self.start)+"\nF : "+str(self.finals) + \ "\nδ : \n" + str(self.transition_table) def getEpsilonClosure(self, state): # Method to get Epsilon Closure of a state of NFA # Make a dictionary to track if the state has been visited before # And a array that will act as a stack to get the state to visit next closure = dict() closure[self.states_dict[state]] = 0 closure_stack = [self.states_dict[state]] # While stack is not empty the loop will run while (len(closure_stack) > 0): # Get the top of stack that will be evaluated now cur = closure_stack.pop(0) # For the epsilon transition of that state, # if not present in closure array then add to dict and push to stack for x in self.transition_table[ str(cur)+str(self.alphabets_dict['e'])]: if x not in closure.keys(): closure[x] = 0 closure_stack.append(x) closure[cur] = 1 return closure.keys() def getStateName(self, state_list): # Get name from set of states to display in the final DFA diagram name = '' for x in state_list: name += self.states[x] return name def isFinalDFA(self, state_list): # Method to check if the set of state is final state in DFA # by checking if any of the set is a final state in NFA for x in state_list: for y in self.finals: if (x == self.states_dict[y]): return True return False print("E-NFA to DFA") # INPUT # Number of States : no_state # Array of States : states # Number of Alphabets : no_alphabet # Array of Alphabets : alphabets # Start State : start # Number of Final States : no_final # Array of Final States : finals # Number of Transitions : no_transition # Array of Transitions : transitions nfa = NFA( 4, # number of states ['A', 'B', 'C', 'D'], # array of states 3, # number of alphabets ['a', 'b', 'c'], # array of alphabets 'A', # start state 1, # number of final states ['D'], # array of final states 7, # number of transitions [['A', 'a', 'A'], ['A', 'e', 'B'], ['B', 'b', 'B'], ['A', 'e', 'C'], ['C', 'c', 'C'], ['B', 'b', 'D'], ['C', 'c', 'D']] # array of transitions with its element of type : # [from state, alphabet, to state] ) # nfa = NFA.fromUser() # To get input from user # print(repr(nfa)) # To print the quintuple in console # Making an object of Digraph to visualize NFA diagram nfa.graph = Digraph() # Adding states/nodes in NFA diagram for x in nfa.states: # If state is not a final state, then border shape is single circle # Else it is double circle if (x not in nfa.finals): nfa.graph.attr('node', shape='circle') nfa.graph.node(x) else: nfa.graph.attr('node', shape='doublecircle') nfa.graph.node(x) # Adding start state arrow in NFA diagram nfa.graph.attr('node', shape='none') nfa.graph.node('') nfa.graph.edge('', nfa.start) # Adding edge between states in NFA from the transitions array for x in nfa.transitions: nfa.graph.edge(x[0], x[2], label=('ε', x[1])[x[1] != 'e']) # Makes a pdf with name nfa.graph.pdf and views the pdf nfa.graph.render('nfa', view=True) # Making an object of Digraph to visualize DFA diagram dfa = Digraph() # Finding epsilon closure beforehand so to not recalculate each time epsilon_closure = dict() for x in nfa.states: epsilon_closure[x] = list(nfa.getEpsilonClosure(x)) # First state of DFA will be epsilon closure of start state of NFA # This list will act as stack to maintain till when to evaluate the states dfa_stack = list() dfa_stack.append(epsilon_closure[nfa.start]) # Check if start state is the final state in DFA if (nfa.isFinalDFA(dfa_stack[0])): dfa.attr('node', shape='doublecircle') else: dfa.attr('node', shape='circle') dfa.node(nfa.getStateName(dfa_stack[0])) # Adding start state arrow to start state in DFA dfa.attr('node', shape='none') dfa.node('') dfa.edge('', nfa.getStateName(dfa_stack[0])) # List to store the states of DFA dfa_states = list() dfa_states.append(epsilon_closure[nfa.start]) # Loop will run till this stack is not empty while (len(dfa_stack) > 0): # Getting top of the stack for current evaluation cur_state = dfa_stack.pop(0) # Traversing through all the alphabets for evaluating transitions in DFA for al in range((nfa.no_alphabet) - 1): # Set to see if the epsilon closure of the set is empty or not from_closure = set() for x in cur_state: # Performing Union update and adding all the new states in set from_closure.update( set(nfa.transition_table[str(x)+str(al)])) # Check if epsilon closure of the new set is not empty if (len(from_closure) > 0): # Set for the To state set in DFA to_state = set() for x in list(from_closure): to_state.update(set(epsilon_closure[nfa.states[x]])) # Check if the to state already exists in DFA and if not then add it if list(to_state) not in dfa_states: dfa_stack.append(list(to_state)) dfa_states.append(list(to_state)) # Check if this set contains final state of NFA # to get if this set will be final state in DFA if (nfa.isFinalDFA(list(to_state))): dfa.attr('node', shape='doublecircle') else: dfa.attr('node', shape='circle') dfa.node(nfa.getStateName(list(to_state))) # Adding edge between from state and to state dfa.edge(nfa.getStateName(cur_state), nfa.getStateName(list(to_state)), label=nfa.alphabets[al]) # Else case for empty epsilon closure # This is a dead state(ϕ) in DFA else: # Check if any dead state was present before this # if not then make a new dead state ϕ if (-1) not in dfa_states: dfa.attr('node', shape='circle') dfa.node('ϕ') # For new dead state, add all transitions to itself, # so that machine cannot leave the dead state for alpha in range(nfa.no_alphabet - 1): dfa.edge('ϕ', 'ϕ', nfa.alphabets[alpha]) # Adding -1 to list to mark that dead state is present dfa_states.append(-1) # Adding transition to dead state dfa.edge(nfa.getStateName(cur_state,), 'ϕ', label = nfa.alphabets[al]) # Makes a pdf with name dfa.pdf and views the pdf dfa.render('dfa', view = True)
Write, Run & Share Python code online using OneCompiler's Python online compiler for free. It's one of the robust, feature-rich online compilers for python language, supporting both the versions which are Python 3 and Python 2.7. Getting started with the OneCompiler's Python editor is easy and fast. The editor shows sample boilerplate code when you choose language as Python or Python2 and start coding.
OneCompiler's python online editor supports stdin and users can give inputs to programs using the STDIN textbox under the I/O tab. Following is a sample python program which takes name as input and print your name with hello.
import sys
name = sys.stdin.readline()
print("Hello "+ name)
Python is a very popular general-purpose programming language which was created by Guido van Rossum, and released in 1991. It is very popular for web development and you can build almost anything like mobile apps, web apps, tools, data analytics, machine learning etc. It is designed to be simple and easy like english language. It's is highly productive and efficient making it a very popular language.
When ever you want to perform a set of operations based on a condition IF-ELSE is used.
if conditional-expression
#code
elif conditional-expression
#code
else:
#code
Indentation is very important in Python, make sure the indentation is followed correctly
For loop is used to iterate over arrays(list, tuple, set, dictionary) or strings.
mylist=("Iphone","Pixel","Samsung")
for i in mylist:
print(i)
While is also used to iterate a set of statements based on a condition. Usually while is preferred when number of iterations are not known in advance.
while condition
#code
There are four types of collections in Python.
List is a collection which is ordered and can be changed. Lists are specified in square brackets.
mylist=["iPhone","Pixel","Samsung"]
print(mylist)
Tuple is a collection which is ordered and can not be changed. Tuples are specified in round brackets.
myTuple=("iPhone","Pixel","Samsung")
print(myTuple)
Below throws an error if you assign another value to tuple again.
myTuple=("iPhone","Pixel","Samsung")
print(myTuple)
myTuple[1]="onePlus"
print(myTuple)
Set is a collection which is unordered and unindexed. Sets are specified in curly brackets.
myset = {"iPhone","Pixel","Samsung"}
print(myset)
Dictionary is a collection of key value pairs which is unordered, can be changed, and indexed. They are written in curly brackets with key - value pairs.
mydict = {
"brand" :"iPhone",
"model": "iPhone 11"
}
print(mydict)
Following are the libraries supported by OneCompiler's Python compiler
Name | Description |
---|---|
NumPy | NumPy python library helps users to work on arrays with ease |
SciPy | SciPy is a scientific computation library which depends on NumPy for convenient and fast N-dimensional array manipulation |
SKLearn/Scikit-learn | Scikit-learn or Scikit-learn is the most useful library for machine learning in Python |
Pandas | Pandas is the most efficient Python library for data manipulation and analysis |
DOcplex | DOcplex is IBM Decision Optimization CPLEX Modeling for Python, is a library composed of Mathematical Programming Modeling and Constraint Programming Modeling |