• [email protected]

time complexity of knight tour problem

What’s New ?

The Top 10 favtutor Features You Might Have Overlooked

FavTutor

  • Don’t have an account Yet? Sign Up

Remember me Forgot your password?

  • Already have an Account? Sign In

Lost your password? Please enter your email address. You will receive a link to create a new password.

Back to log-in

By Signing up for Favtutor, you agree to our Terms of Service & Privacy Policy.

The Knight's Tour Problem (using Backtracking Algorithm)

  • Jun 30, 2023
  • 6 Minute Read
  • Why Trust Us We uphold a strict editorial policy that emphasizes factual accuracy, relevance, and impartiality. Our content is crafted by top technical writers with deep knowledge in the fields of computer science and data science, ensuring each piece is meticulously reviewed by a team of seasoned editors to guarantee compliance with the highest standards in educational content creation and publishing.
  • By Vedanti Kshirsagar

The Knight's Tour Problem (using Backtracking Algorithm)

Ever wondered how a computer playing as a chess player improves its algorithm to defeat you in the game? In this article, we will learn about the Knight's Tour Problem, the various ways to solve it along with their time and space complexities. So, let's get started!

What is Knight's Tour Problem?

Just for a reminder, the knight is a piece in chess that usually looks like a horse and moves in an L-shaped pattern. This means it will first move two squares in one direction and then one square in a perpendicular direction.

The Knight's Tour problem is about finding a sequence of moves for the knight on a chessboard such that it visits every square on the board exactly one time. It is a type of Hamiltonian path problem in graph theory, where the squares represent the vertices and the knight's moves represent the edges of the graph.

This problem has fascinated many mathematicians for centuries, but the solutions they found were very difficult. The simple solution will be to find every conceivable configuration and selecting the best one is one technique to solve this problem. But that will take a load of time.

One popular solution to solve the Knight's tour problem is Warnsdorff's rule, which involves choosing the next move that leads to a square with the fewest available moves. There is also a backtracking approach. 

 But first moving to all that, let's take a quick understanding of the Hamiltonian path problem.

Hamiltonian Path Problem

The Hamiltonian path problem is a well-known problem in graph theory that asks whether a given graph contains a path that visits every vertex exactly once.

A path that visits every vertex exactly once is called a Hamiltonian path, and a graph that contains a Hamiltonian path is called a Hamiltonian graph. 

Let's take an example of the Hamiltonian path problem. Suppose we have a graph with five vertices and the following edges:

hamiltonian path problem example

This graph can be represented as:

hamiltonian path problem example 2

Knight's Tour Backtracking Algorithm

The backtracking algorithm works by exploring all possible moves for the knight, starting from a given square, and backtracking to try different moves if it reaches a dead end.

Here's the basic outline of the backtracking algorithm to solve the Knight's tour problem:

  • Choose a starting square for the knight on the chessboard.
  • Mark the starting square as visited.
  • For each valid move from the current square, make the move and recursively repeat the process for the new square.
  • If all squares on the chessboard have been visited, we have found a solution. Otherwise, undo the last move and try a different move.
  • If all moves have been tried from the current square and we have not found a solution, backtrack to the previous square and try a different move from there.
  • If we have backtracked to the starting square and tried all possible moves without finding a solution, there is no solution to the problem.

We have given the full C++ program for Backtracking Algorithm to solve Knight's Tour Problem below:

Check the image below before we explain the code:

Knight Tour Backtracking Algorithm

In this implementation, we first define a function validMoves  which takes the current row and column of the knight as input and returns a vector of pairs representing all the valid moves that the knight can make from that position.

The solve function is a recursive function that takes the current row and column of the knight, as well as the current move number, as input. We mark the current square as visited by setting board[row][column] it to the current move number, and then we recursively try all possible moves from the current position.

If we reach the last move, then we found a solution and return true. If no valid move is found from the current position, we backtrack by setting the current square to 0 and returning false.

In the main function, we start the solve function at a specified starting position and then output the number of moves it took to find a solution and print the final chessboard with the solution.

Time & Space Complexity for Backtracking

The backtracking algorithm used to solve the Knight's Tour problem has an exponential time complexity. The number of possible paths for the knight grows very quickly as the size of the chessboard increases, which means that the time taken to explore all possible paths grows exponentially.

The exact time complexity of the Knight's Tour Backtracking algorithm is O(8^(n^2)), where n is the size of the chessboard. This is because each move has a maximum of 8 possible directions, and we have to explore all possible moves until we find a solution.

The space complexity of the backtracking algorithm is O(n^2), where n is the size of the chessboard. So, we can say that the backtracking algorithm is efficient for smaller chessboards.

Warnsdorff's Rule

Warndorff's rule is a heuristic greedy algorithm used to solve this problem. It tries to move the knight to the square with the fewest valid moves, hoping that this will lead to a solution.

Here's an overview of how Warndorff's rule algorithm works:

  • Start with a random square on the chessboard.
  • From the current square, consider all possible moves and count the number of valid moves from each adjacent square.
  • Move to the square with the lowest number of valid moves. In case of a tie, move to the square with the lowest number of valid moves from its adjacent squares.
  • Repeat steps 2 and 3 until all squares on the chessboard have been visited.

Here is the pseudocode for Warndorff's rule algorithm:

The time complexity of Warndorff's rule algorithm is O(n^2 log n), where n is the size of the chessboard. This is because we have to visit each square once, and for each square, we have to compute the number of valid moves from each adjacent square. The space complexity of the algorithm is O(n^2) since we need to store the chessboard and the current position of the knight.

Overall, The Knight's Tour problem is related to chess, and solving it can help chess players improve their strategy and become better at the game. In the real world, you can also use it to design efficient algorithms for finding the shortest path between two points in a network.

Now we know The Knight's Tour Problem and its solutions using Backtracking and Warnsdorff's Rule. It has several applications in various fields such as Game theory, Network Routing etc, making it an important problem to study in computer science and mathematics.

time complexity of knight tour problem

FavTutor - 24x7 Live Coding Help from Expert Tutors!

time complexity of knight tour problem

About The Author

time complexity of knight tour problem

Vedanti Kshirsagar

More by favtutor blogs, monte carlo simulations in r (with examples), aarthi juryala.

time complexity of knight tour problem

The unlist() Function in R (with Examples)

time complexity of knight tour problem

Paired Sample T-Test using R (with Examples)

time complexity of knight tour problem

Search anything:

Knight’s Tour Problem

Algorithms backtracking.

Binary Tree book by OpenGenus

Open-Source Internship opportunity by OpenGenus for programmers. Apply now.

The Knight's Tour Problem is one of the famous problem in which we have the knight on a chessboard. The knight is supposed to visit every square exactly once.

Following it we have two cases:

  • Closed Tour : The knight ends on a square that is one move away from the beginning square. This means that if it continues to move, with the same path that it has followed till now, it will be able to traverse all squares again.
  • Open Tour : The knight ends on any other square. This problem is solved on a n x n chessboard. "n" could have any value. This problem is derived from the Hamiltonian Path Problem in Graph Theory .

Hamiltonian Path Problem is focused on finding out if there is a path or route in undirected graph from the beginning to ending node. However, it can gain a lot of complexity even on little increase in its size. Hamiltonian Path is the one that visits each vertex of the graph only once. A grap h with Hamiltonian Path in it is called traceable graph.

However, there are ways to solve this problem in linear time. Consider the below image, let the diamond represent the "knight" and the tick marks represent its possible moves at given position. A "knight" can move two squares in cardinal direction then one square in orthogonal direction.

kinght-s--1

There are many variants possible for this problem like having two knights and so on. In this article we will explore the basic problem with one knight and how it can cover all squares without revisiting them.

One way to solve this problem is Naive Approach, to find all possible configurations and choose the correct one. Since, this would take much longer if the value of n in n x n board is large.

Backtracking

Other technique that can be used for this problem is Backtracking . It is optimized version of our naive technique. Backtracking is the technique in which we try all possible solutions or combinations till we find the one that is correct. In this each combination is tried only once.

It incrementally makes the solution using recursion. We consider on step at a time. If they do not satisfy the constraints then we remove those particular steps.

Time Complexity: O(n * n) for traversing the n x n squares. Implementation:

Explanation:

  • The function called in main() would be ans().
  • It declares a sol array representing the chess board of n x n size.
  • Then we initialise it with -1 values. Then we define the next values of x and y coordinates in array x and array y.
  • Now, we call function aux and explore all tours and check if the solution exists.
  • If it exists then we print the solution. The aux function:
  • This is the recursive function to find the final solution.
  • In this we try all possible moves from x and y. We also call function range to check if the squares are in n x n configuration.
  • We essentially use backtracking to solve this problem.

We can have much better approaches as well to solve this problem:

Warnsdorff’s algorithm:

In this approach we can start from any initial square on the chess board. Then, we will move to an adjacent, unvisited square with minimum unvisited adjacent squares.

  • Set a square as the initial position to start from.
  • Mark it with current move number starting with "1".
  • Make a set of all positions that can be visited from initial position.
  • Mark the square out of the set of possible positions that can be visited with minimum accessibility from initial position as next move number.
  • Following the above steps, return the marked board with move numbers with which it has been visited.

In the above code, in find function, we initialized an array of size n x n with values -1.

Then, we initialized x1 and y1 with random values.

Then we copied those values in variables x and y. Now, current positions are same as initial positions.

Then, we mark our first move at location y * n + x.

In the next for loop, we pick next points for our Warnsdorff’s algorithm. We call next function:

  • We will try all adjacent squares starting from a random adjacent value with minimum degree.
  • We initialize start with a random value
  • If now next cell is found then we return false.
  • Then, we store coordinates in x and y of next point in variables nx and ny.
  • Then, we mark our next move on the array at location ny * n + nx and update next points.

Now, we come back into function find and then neighbor function is called.

  • We will check the neighboring squares. If the last square is one move away from the initial location of square then its a closed tour else open tour.

The degree function returns the number of empty squares adjacent to x,y

The range function keeps us within the board and isempty function checks if the square is valid and empty or not.

Now, we again come back to out find function and call print function to print all moves of the knight.

This way,we can implement this algorithm and find our best possible solution.

Neural Networks:

We can even use neural networks to solve this problem. It will be much helpful in the cases where n has much larger value. Each and every possible knight's move is represented by a neuron. Each neuron can have two values : "active" or "inactive". If it is "active" then it is part of our solution else not. This way, we can use machine learning to find solutions to much more complex variants of this problem including large values for "n" and multiple knights.

Using all the above approaches we can find out the best possible solution for our Knight's Tour Problem . Happy Coding!

OpenGenus IQ: Learn Algorithms, DL, System Design icon

  • Data Structure
  • Graph Theory
  • Microprocessor
  • Cryptography
  • Compiler Design
  • Computer Graphics
  • Parallel Algorithm
  • ASP.NET MVC
  • Gk/Aptitude
  • Css/Html Maker
  • Cheat Sheets
  • Math Formulas

: Scanftree

Backtracking.

Menu

  • Introduction
  • Pseudo-polynomial Algorithms
  • Worst, Average and Best Cases
  • Asymptotic Notations
  • Analysis of Loops
  • Solving Recurrences
  • Amortized Analysis Introduction
  • Space Complexity
  • NP-Completeness
  • Polynomial Time Approximation Scheme
  • A Time Complexity
  • calculate pow(x,n)

The Knight’s tour problem

  • Rat in a Maze
  • N Queen Problem
  • m Coloring Problem
  • Hamiltonian Cycle
  • Solving Cryptarithmetic Puzzles

Backtracking is an algorithmic paradigm that tries different solutions until finds a solution that “works”. Problems which are typically solved using backtracking technique have the following property in common.  These problems can only be solved by trying every possible configuration and each configuration is tried only once. A Naive solution for these problems is to try all configurations and output a configuration that follows given problem constraints. Backtracking works in an incremental way and is an optimization over the Naive solution where all possible configurations are generated and tried.

For example, consider the following  Knight’s Tour  problem. The knight is placed on the first block of an empty board and, moving according to the rules of chess, must visit each square exactly once.

Path followed by Knight to cover all the cells

knight-tour-problem

Naive Algorithm for Knight’s tour The Naive Algorithm is to generate all tours one by one and check if the generated tour satisfies the constraints.

Backtracking  works in an incremental way to attack problems. Typically, we start from an empty solution vector and one by one add items (Meaning of item varies from problem to problem. In context of Knight’s tour problem, an item is a Knight’s move). When we add an item, we check if adding the current item violates the problem constraint, if it does then we remove the item and try other alternatives. If none of the alternatives work out then we go to the previous stage and remove the item added in the previous stage. If we reach the initial stage back then we say that no solution exists. If adding an item doesn’t violate constraints then we recursively add items one by one. If the solution vector becomes complete then we print the solution.

Backtracking Algorithm for Knight’s tour Following is the Backtracking algorithm for Knight’s tour problem.

Following are implementations for Knight’s tour problem. It prints one of the possible solutions in 2D matrix form. Basically, the output is a 2D 8*8 matrix with numbers from 0 to 63 and these numbers show steps made by Knight.

Note that Backtracking is not the best solution for the Knight’s tour problem. See below article for other better solutions. The purpose of this post is to explain Backtracking with an example. Warnsdorff’s algorithm for Knight’s tour problem

References: http://see.stanford.edu/materials/icspacs106b/H19-RecBacktrackExamples.pdf http://www.cis.upenn.edu/~matuszek/cit594-2009/Lectures/35-backtracking.ppt http://mathworld.wolfram.com/KnightsTour.html http://en.wikipedia.org/wiki/Knight%27s_tour

Aptitude / Reasoning / Interview

Physical education & sports.

  • A Knight’s Tour

The “ knight’s tour ” is a classic problem in graph theory, first posed over 1,000 years ago and pondered by legendary mathematicians including Leonhard Euler before finally being solved in 1823. We will use the knight’s tour problem to illustrate a second common graph algorithm called depth first search.

The knight’s tour puzzle is played on a chess board with a single chess piece, the knight. The object of the puzzle is to find a sequence of moves that allow the knight to visit every square on the board exactly once, like so:

One such sequence is called a “tour.” The upper bound on the number of possible legal tours for an eight-by-eight chessboard is known to be 1 . 3 0 5 × 1 0 3 5 1.305 \times 10^{35} 1 . 3 0 5 × 1 0 ​ 3 5 ​ ​ ; however, there are even more possible dead ends. Clearly this is a problem that requires some real brains, some real computing power, or both.

Once again we will solve the problem using two main steps:

  • Represent the legal moves of a knight on a chessboard as a graph.
  • Use a graph algorithm to find a path where every vertex on the graph is visited exactly once.

Building the Knight’s Tour Graph

To represent the knight’s tour problem as a graph we will use the following two ideas: Each square on the chessboard can be represented as a node in the graph. Each legal move by the knight can be represented as an edge in the graph.

We will use a Python dictionary to hold our graph, with the keys being tuples of coordinates representing the squares of the board, and the values being sets representing the valid squares to which a knight can move from that square.

To build the full graph for an n-by-n board we can use the Python function shown below. The build_graph function makes one pass over the entire board. At each square on the board the build_graph function calls a helper generator, legal_moves_from , to generate a list of legal moves for that position on the board. All legal moves are then made into undirected edges of the graph by adding the vertices appropriately to one anothers sets of legal moves.

The legal_moves_from generator below takes the position of the knight on the board and yields any of the eight possible moves that are still on the board.

The illustration below shows the complete graph of possible moves on an eight-by-eight board. There are exactly 336 edges in the graph. Notice that the vertices corresponding to the edges of the board have fewer connections (legal moves) than the vertices in the middle of the board. Once again we can see how sparse the graph is. If the graph was fully connected there would be 4,096 edges. Since there are only 336 edges, the adjacency matrix would be only 8.2 percent full.

All legal moves for a knight on an 8x8 chessboard

Implementing Knight’s Tour

The search algorithm we will use to solve the knight’s tour problem is called depth first search ( DFS ). Whereas the breadth first search algorithm discussed in the previous section builds a search tree one level at a time, a depth first search creates a search tree by exploring one branch of the tree as deeply as possible.

The depth first exploration of the graph is exactly what we need in order to find a path that has exactly 63 edges. We will see that when the depth first search algorithm finds a dead end (a place in the graph where there are no more moves possible) it backs up the tree to the next deepest vertex that allows it to make a legal move.

The find_solution_for function takes just two arguments: a board_size argument and a heuristic function, which you should ignore for now but to which we will return.

It then constructs a graph using the build_graph function described above, and for each vertex in the graph attempts to traverse depth first by way of the traverse function.

The traverse function is a little more interesting. It accepts a path, as a list of coordinates, as well as the vertex currently being considered. If the traversal has proceeded deep enough that we know that every square has been visited once, then we return the full path traversed.

Otherwise, we use our graph to look up the legal moves from the current vertex, and exclude the vertices that we know have already been visited, to determine the vertices that are yet_to_visit . At this point we recursively call traverse with each of the vertices to visit, along with the path to reach that vertex including the current vertex. If any of the recursive calls return a path, then that path is the return value of the outer call, otherwise we return None.

Let’s look at a simple example of an equivalent of this traverse function in action.

Start with vertex A

It is remarkable that our choice of data structure and algorithm has allowed us to straightforwardly solve a problem that remained impervious to thoughtful mathematical investigation for centuries.

With some modification, the algorithm can also be used to discover one of a number of “closed” (circular) tours, which can therefore be started at any square of the board:

A closed tour

Knight’s Tour Analysis

There is one last interesting topic regarding the knight’s tour problem, then we will move on to the general version of the depth first search. The topic is performance. In particular, our algorithm is very sensitive to the method you use to select the next vertex to visit. For example, on a five-by-five board you can produce a path in about 1.5 seconds on a reasonably fast computer. But what happens if you try an eight-by-eight board? In this case, depending on the speed of your computer, you may have to wait up to a half hour to get the results! The reason for this is that the knight’s tour problem as we have implemented it so far is an exponential algorithm of size O ( k N ) O(k^N) O ( k ​ N ​ ​ ) , where N is the number of squares on the chess board, and k is a small constant. The diagram below can help us visualize why this is so.

A search tree for the knight’s tour

The root of the tree represents the starting point of the search. From there the algorithm generates and checks each of the possible moves the knight can make. As we have noted before the number of moves possible depends on the position of the knight on the board. In the corners there are only two legal moves, on the squares adjacent to the corners there are three and in the middle of the board there are eight. The diagram below shows the number of moves possible for each position on a board. At the next level of the tree there are once again between 2 and 8 possible next moves from the position we are currently exploring. The number of possible positions to examine corresponds to the number of nodes in the search tree.

Number of possible moves for each square

We have already seen that the number of nodes in a binary tree of height N is 2 N + 1 − 1 2^{N+1}-1 2 ​ N + 1 ​ ​ − 1 . For a tree with nodes that may have up to eight children instead of two the number of nodes is much larger. Because the branching factor of each node is variable, we could estimate the number of nodes using an average branching factor. The important thing to note is that this algorithm is exponential: k N + 1 − 1 k^{N+1}-1 k ​ N + 1 ​ ​ − 1 , where k k k is the average branching factor for the board. Let’s look at how rapidly this grows! For a board that is 5x5 the tree will be 25 levels deep, or N = 24 counting the first level as level 0. The average branching factor is k = 3 . 8 k = 3.8 k = 3 . 8 So the number of nodes in the search tree is 3 . 8 2 5 − 1 3.8^{25}-1 3 . 8 ​ 2 5 ​ ​ − 1 or 3 . 1 2 × 1 0 1 4 3.12 \times 10^{14} 3 . 1 2 × 1 0 ​ 1 4 ​ ​ . For a 6x6 board, k = 4 . 4 k = 4.4 k = 4 . 4 , there are 1 . 5 × 1 0 2 3 1.5 \times 10^{23} 1 . 5 × 1 0 ​ 2 3 ​ ​ nodes, and for a regular 8x8 chess board, k = 5 . 2 5 k = 5.25 k = 5 . 2 5 , there are 1 . 3 × 1 0 4 6 1.3 \times 10^{46} 1 . 3 × 1 0 ​ 4 6 ​ ​ . Of course, since there are multiple solutions to the problem we won’t have to explore every single node, but the fractional part of the nodes we do have to explore is just a constant multiplier which does not change the exponential nature of the problem. We will leave it as an exercise for you to see if you can express k k k as a function of the board size.

Luckily there is a way to speed up the eight-by-eight case so that it runs in under one second. In the code sample below we show the code that speeds up the traverse . This function, called warnsdorffs_heuristic when passed as the heuristic function to find_solution_for above will cause the next_vertices to be sorted prioritizing those who which have the fewest subsequent legal moves.

This may seem counterintutitive; why not select the node that has the most available moves? The problem with using the vertex with the most available moves as your next vertex on the path is that it tends to have the knight visit the middle squares early on in the tour. When this happens it is easy for the knight to get stranded on one side of the board where it cannot reach unvisited squares on the other side of the board. On the other hand, visiting the squares with the fewest available moves first pushes the knight to visit the squares around the edges of the board first. This ensures that the knight will visit the hard-to- reach corners early and can use the middle squares to hop across the board only when necessary. Utilizing this kind of knowledge to speed up an algorithm is called a heuristic. Humans use heuristics every day to help make decisions, heuristic searches are often used in the field of artificial intelligence. This particular heuristic is called Warnsdorff’s heuristic, named after H. C. Warnsdorff who published his idea in 1823, becoming the first person to describe a procedure to complete the knight’s tour.

For fun, here is a very large ( 1 3 0 × 1 3 0 130 \times 130 1 3 0 × 1 3 0 ) open knight’s tour created using Warnsdorff’s heuristic:

130x130 open tour

  • The Big Picture
  • Big O Notation
  • An Anagram Detection Example
  • Performance of Python Types
  • Introduction to Stacks
  • A Stack Implementation
  • Balanced Parentheses
  • Converting Number Bases
  • Infix, Prefix and Postfix Expressions
  • Introduction to Queues
  • A Queue Implementation
  • Simulating Hot Potato
  • Introduction to Deques
  • A Deque Implementation
  • Palindrome Checker
  • Introduction to Lists
  • Implementing an Unordered List
  • Implementing an Ordered List
  • Introduction to Recursion
  • Calculating the Sum of a List of Numbers
  • The Three Laws of Recursion
  • Converting an Integer to Any Base
  • Tower of Hanoi
  • Dynamic Programming
  • The Sequential Search
  • The Binary Search
  • Introduction to Trees
  • Representing a Tree
  • Parse Trees
  • Tree Traversals
  • Priority Queues with Binary Heaps
  • Binary Search Trees
  • Introduction to Graphs
  • Representing a Graph
  • Word Ladders
  • General Depth First Search
  • Topological Sorting
  • Shortest Path with Dijkstra’s Algorithm
  • Strongly Connected Components
  • Prim’s Spanning Tree Algorithm
  • C++ Data Types
  • C++ Input/Output
  • C++ Pointers
  • C++ Interview Questions
  • C++ Programs
  • C++ Cheatsheet
  • C++ Projects
  • C++ Exception Handling
  • C++ Memory Management

Knight’s Tour Problem in C++

Knight’s Tour problem is a classic puzzle in which the goal is to move a knight on a chessboard such that the knight visits every square exactly once. The knight moves in an L-shape: two squares in one direction and then one square perpendicular to that or vice versa. In this article, we will learn how to solve this problem using the C++ language.

Consider an 8×8 chessboard, and the knight starts at position (0, 0). The goal is to find a sequence of moves that allows the knight to visit each square exactly once.

To solve the Knight’s Tour problem, there are two primary methods: Backtracking and Warnsdorff’s Rule. Here, we will discuss both methods using the C++ programming language.

Knight’s Tour using Backtracking in C++

A knight can move in an “L” shape, i.e., two squares in one direction and then one square perpendicular to that direction. Suppose the current position of the knight is (i,j). The possible moves are:

To solve this problem using backtracking, we try all possible moves for the knight and backtrack if we reach an invalid state. This method ensures that we explore all potential solutions.

Create an empty solution matrix to track the knight’s path. Place the knight at the starting position. Try all possible moves from the current position. If a move is valid, mark the move in the solution matrix. Recursively attempt to solve the tour from the new position. If the tour is complete, return the solution. If no valid moves are available, backtrack and try the next move.

C++ Program to Solve Knight’s Tour using Backtracking

The following C++ program demonstrates how we can solve the Knight’s tour problem using backtracking.

Time Complexity : O(8^(N^2)), where N is the size of the chessboard. This complexity arises because for each cell, we try up to 8 possible moves. Auxiliary Space: O(N^2), as we use a 2D array to store the knight’s path.

Knight’s Tour using Warnsdorff’s Algorithm in C++

Warnsdorff’s rule is a heuristic method to solve the Knight’s Tour problem. The rule states that the knight should always move to the square from which the knight will have the fewest onward moves. This minimizes the branching factor and reduces the likelihood of running into a dead end.

Set the initial position of the knight randomly on the board. Mark the board at the starting position with the move number “1”. For each subsequent move number from 2 to the total number of squares on the board: Determine all possible positions the knight can move to from the current position. Choose the position with the minimum number of onward moves. Mark the board at this new position with the current move number. Return the marked board, where each square is marked with the move number on which it was visited.

C++ Program to Solve Knight’s Tour using Warnsdorff’s Rule

The following C++ program demonstrates how we can solve the Knight’s tour problem using Warnsdorff’s algorithm.

Time Complexity: O(N^3), where N is the size of the chessboard. The complexity is reduced significantly due to the heuristic used. Auxiliary Space: O(N^2), as we use a 2D array to store the knight’s path.

author

Please Login to comment...

Similar reads.

  • Discord Emojis List 2024: Copy and Paste
  • Best Adblockers for Twitch TV: Enjoy Ad-Free Streaming in 2024
  • PS4 vs. PS5: Which PlayStation Should You Buy in 2024?
  • Best Mobile Game Controllers in 2024: Top Picks for iPhone and Android
  • System Design Netflix | A Complete Architecture

Improve your Coding Skills with Practice

 alt=

What kind of Experience do you want to share?

Data Structures & Algorithms Tutorial

  • Data Structures & Algorithms
  • DSA - Overview
  • DSA - Environment Setup
  • DSA - Algorithms Basics
  • DSA - Asymptotic Analysis
  • Data Structures
  • DSA - Data Structure Basics
  • DSA - Data Structures and Types
  • DSA - Array Data Structure
  • Linked Lists
  • DSA - Linked List Data Structure
  • DSA - Doubly Linked List Data Structure
  • DSA - Circular Linked List Data Structure
  • Stack & Queue
  • DSA - Stack Data Structure
  • DSA - Expression Parsing
  • DSA - Queue Data Structure
  • Searching Algorithms
  • DSA - Searching Algorithms
  • DSA - Linear Search Algorithm
  • DSA - Binary Search Algorithm
  • DSA - Interpolation Search
  • DSA - Jump Search Algorithm
  • DSA - Exponential Search
  • DSA - Fibonacci Search
  • DSA - Sublist Search
  • DSA - Hash Table
  • Sorting Algorithms
  • DSA - Sorting Algorithms
  • DSA - Bubble Sort Algorithm
  • DSA - Insertion Sort Algorithm
  • DSA - Selection Sort Algorithm
  • DSA - Merge Sort Algorithm
  • DSA - Shell Sort Algorithm
  • DSA - Heap Sort
  • DSA - Bucket Sort Algorithm
  • DSA - Counting Sort Algorithm
  • DSA - Radix Sort Algorithm
  • DSA - Quick Sort Algorithm
  • Graph Data Structure
  • DSA - Graph Data Structure
  • DSA - Depth First Traversal
  • DSA - Breadth First Traversal
  • DSA - Spanning Tree
  • Tree Data Structure
  • DSA - Tree Data Structure
  • DSA - Tree Traversal
  • DSA - Binary Search Tree
  • DSA - AVL Tree
  • DSA - Red Black Trees
  • DSA - B Trees
  • DSA - B+ Trees
  • DSA - Splay Trees
  • DSA - Tries
  • DSA - Heap Data Structure
  • DSA - Recursion Algorithms
  • DSA - Tower of Hanoi Using Recursion
  • DSA - Fibonacci Series Using Recursion
  • Divide and Conquer
  • DSA - Divide and Conquer
  • DSA - Max-Min Problem
  • DSA - Strassen's Matrix Multiplication
  • DSA - Karatsuba Algorithm
  • Greedy Algorithms
  • DSA - Greedy Algorithms
  • DSA - Travelling Salesman Problem (Greedy Approach)
  • DSA - Prim's Minimal Spanning Tree
  • DSA - Kruskal's Minimal Spanning Tree
  • DSA - Dijkstra's Shortest Path Algorithm
  • DSA - Map Colouring Algorithm
  • DSA - Fractional Knapsack Problem
  • DSA - Job Sequencing with Deadline
  • DSA - Optimal Merge Pattern Algorithm
  • Dynamic Programming
  • DSA - Dynamic Programming
  • DSA - Matrix Chain Multiplication
  • DSA - Floyd Warshall Algorithm
  • DSA - 0-1 Knapsack Problem
  • DSA - Longest Common Subsequence Algorithm
  • DSA - Travelling Salesman Problem (Dynamic Approach)
  • Approximation Algorithms
  • DSA - Approximation Algorithms
  • DSA - Vertex Cover Algorithm
  • DSA - Set Cover Problem
  • DSA - Travelling Salesman Problem (Approximation Approach)
  • Randomized Algorithms
  • DSA - Randomized Algorithms
  • DSA - Randomized Quick Sort Algorithm
  • DSA - Karger’s Minimum Cut Algorithm
  • DSA - Fisher-Yates Shuffle Algorithm
  • DSA Useful Resources
  • DSA - Questions and Answers
  • DSA - Quick Guide
  • DSA - Useful Resources
  • DSA - Discussion
  • Selected Reading
  • UPSC IAS Exams Notes
  • Developer's Best Practices
  • Questions and Answers
  • Effective Resume Writing
  • HR Interview Questions
  • Computer Glossary

Knight's tour problem

What is knight's tour problem.

In the knight's tour problem, we are given with an empty chess board of size NxN, and a knight. In chess, the knight is a piece that looks exactly like a horse. Assume, it can start from any location on the board. Now, our task is to check whether the knight can visit all of the squares on the board or not. When it can visit all of the squares, then print the number of jumps needed to reach that location from the starting point.

There can be two ways in which a knight can finish its tour. In the first way, the knight moves one step and returns back to the starting position forming a loop which is called a closed tour . In the second way i.e. the open tour , it finishes anywhere in the board.

For a person who is not familiar with chess, note that the knight moves in a special manner. It can move either two squares horizontally and one square vertically or two squares vertically and one square horizontally in each direction. So, the complete movement looks like English letter 'L' .

Knight's Move

Suppose the size of given chess board is 8 and the knight is at the top-left position on the board. The next possible moves are shown below −

Knight's Solution

Each cell in the above chess board holds a number, that indicates where to start and in how many moves the knight will reach a cell. The final values of the cell will be represented by the below matrix −

Remember, this problem can have multiple solutions, the above matrix is one possible solution.

One way to solve the knight's tour problem is by generating all the tours one by one and then checking if they satisfy the specified constraint or not. However, it is time consuming and not an efficient way.

Backtracking Approach to Solve Knight's tour problem

The other way to solve this problem is to use backtracking. It is a technique that tries different possibilities until a solution is found or all options are tried. It involves choosing a move, making it, and then recursively trying to solve the rest of the problem. If the current move leads to a dead end, we backtrack and undo the move, then try another one.

To solve the knight's tour problem using the backtracking approach, follow the steps given below −

Start from any cell on the board and mark it as visited by the knight.

Move the knight to a valid unvisited cell and mark it visited. From any cell, a knight can take a maximum of 8 moves.

If the current cell is not valid or not taking to the solution, then backtrack and try other possible moves that may lead to a solution.

Repeat this process until the moves of knight are equal to 8 x 8 = 64.

In the following example, we will practically demonstrate how to solve the knight's tour problem.

time complexity of knight tour problem

  • Runestone in social media: Follow @iRunestone Our Facebook Page
  • Table of Contents
  • Assignments
  • Peer Instruction (Instructor)
  • Peer Instruction (Student)
  • Change Course
  • Instructor's Page
  • Progress Page
  • Edit Profile
  • Change Password
  • Scratch ActiveCode
  • Scratch Activecode
  • Instructors Guide
  • About Runestone
  • Report A Problem
  • 8.1 Objectives
  • 8.2 Vocabulary and Definitions
  • 8.3 The Graph Abstract Data Type
  • 8.4 An Adjacency Matrix
  • 8.5 An Adjacency List
  • 8.6 Implementation
  • 8.7 The Word Ladder Problem
  • 8.8 Building the Word Ladder Graph
  • 8.9 Implementing Breadth First Search
  • 8.10 Breadth First Search Analysis
  • 8.11 The Knight’s Tour Problem
  • 8.12 Building the Knight’s Tour Graph
  • 8.13 Implementing Knight’s Tour
  • 8.14 Knight’s Tour Analysis
  • 8.15 General Depth First Search
  • 8.16 Depth First Search Analysis
  • 8.17 Topological Sorting
  • 8.18 Strongly Connected Components
  • 8.19 Shortest Path Problems
  • 8.20 Dijkstra’s Algorithm
  • 8.21 Analysis of Dijkstra’s Algorithm
  • 8.22 Prim’s Spanning Tree Algorithm
  • 8.23 Summary
  • 8.24 Key Terms
  • 8.25 Discussion Questions
  • 8.26 Programming Exercises
  • 8.12. Building the Knight’s Tour Graph" data-toggle="tooltip">
  • 8.14. Knight’s Tour Analysis' data-toggle="tooltip" >

8.13. Implementing Knight’s Tour ¶

The search algorithm we will use to solve the knight’s tour problem is called depth first search ( DFS ). Whereas the breadth first search algorithm discussed in the previous section builds a search tree one level at a time, a depth first search creates a search tree by exploring one branch of the tree as deeply as possible. In this section we will look at two algorithms that implement a depth first search. The first algorithm we will look at directly solves the knight’s tour problem by explicitly forbidding a node to be visited more than once. The second implementation is more general, but allows nodes to be visited more than once as the tree is constructed. The second version is used in subsequent sections to develop additional graph algorithms.

The depth first exploration of the graph is exactly what we need in order to find a path that has exactly 63 edges. We will see that when the depth first search algorithm finds a dead end (a place in the graph where there are no more moves possible) it backs up the tree to the next deepest vertex that allows it to make a legal move.

The knightTour function takes four parameters: n , the current depth in the search tree; path , a list of vertices visited up to this point; u , the vertex in the graph we wish to explore; and limit the number of nodes in the path. The knightTour function is recursive. When the knightTour function is called, it first checks the base case condition. If we have a path that contains 64 vertices, we return from knightTour with a status of True , indicating that we have found a successful tour. If the path is not long enough we continue to explore one level deeper by choosing a new vertex to explore and calling knightTour recursively for that vertex.

DFS also uses colors to keep track of which vertices in the graph have been visited. Unvisited vertices are colored white, and visited vertices are colored gray. If all neighbors of a particular vertex have been explored and we have not yet reached our goal length of 64 vertices, we have reached a dead end. When we reach a dead end we must backtrack. Backtracking happens when we return from knightTour with a status of False . In the breadth first search we used a queue to keep track of which vertex to visit next. Since depth first search is recursive, we are implicitly using a stack to help us with our backtracking. When we return from a call to knightTour with a status of False , in line 11, we remain inside the while loop and look at the next vertex in nbrList .

Let’s look at a simple example of knightTour in action. You can refer to the figures below to follow the steps of the search. For this example we will assume that the call to the getConnections method on line 6 orders the nodes in alphabetical order. We begin by calling knightTour(0,path,A,6)

knightTour starts with node A Figure 3 . The nodes adjacent to A are B and D. Since B is before D alphabetically, DFS selects B to expand next as shown in Figure 4 . Exploring B happens when knightTour is called recursively. B is adjacent to C and D, so knightTour elects to explore C next. However, as you can see in Figure 5 node C is a dead end with no adjacent white nodes. At this point we change the color of node C back to white. The call to knightTour returns a value of False . The return from the recursive call effectively backtracks the search to vertex B (see Figure 6 ). The next vertex on the list to explore is vertex D, so knightTour makes a recursive call moving to node D (see Figure 7 ). From vertex D on, knightTour can continue to make recursive calls until we get to node C again (see Figure 8 , Figure 9 , and Figure 10 ). However, this time when we get to node C the test n < limit fails so we know that we have exhausted all the nodes in the graph. At this point we can return True to indicate that we have made a successful tour of the graph. When we return the list, path has the values [A,B,D,E,F,C] , which is the order we need to traverse the graph to visit each node exactly once.

../_images/ktdfsa.png

Figure 3: Start with node A ¶

../_images/ktdfsb.png

Figure 4: Explore B ¶

../_images/ktdfsc.png

Figure 5: Node C is a dead end ¶

../_images/ktdfsd.png

Figure 6: Backtrack to B ¶

../_images/ktdfse.png

Figure 7: Explore D ¶

../_images/ktdfsf.png

Figure 8: Explore E ¶

../_images/ktdfsg.png

Figure 9: Explore F ¶

../_images/ktdfsh.png

Figure 10: Finish ¶

Figure 11 shows you what a complete tour around an eight-by-eight board looks like. There are many possible tours; some are symmetric. With some modification you can make circular tours that start and end at the same square.

../_images/completeTour.png

Figure 11: A Complete Tour of the Board ¶

home

  • Python Tutorial
  • Python Features
  • Python History
  • Python Applications
  • Python Install
  • Python Example
  • Python Variables
  • Python Data Types
  • Python Keywords
  • Python Literals
  • Python Operators
  • Python Comments
  • Python If else
  • Python Loops
  • Python For Loop
  • Python While Loop
  • Python Break
  • Python Continue
  • Python Pass
  • Python Strings
  • Python Lists
  • Python Tuples
  • Python List Vs Tuple
  • Python Sets
  • Python Dictionary
  • Python Functions
  • Python Built-in Functions
  • Python Lambda Functions
  • Python Files I/O
  • Python Modules
  • Python Exceptions
  • Python Date
  • Python Regex
  • Python Sending Email
  • Read CSV File
  • Write CSV File
  • Read Excel File
  • Write Excel File
  • Python Assert
  • Python List Comprehension
  • Python Collection Module
  • Python Math Module
  • Python OS Module
  • Python Random Module
  • Python Statistics Module
  • Python Sys Module
  • Python IDEs
  • Python Arrays
  • Command Line Arguments
  • Python Magic Method
  • Python Stack & Queue
  • PySpark MLlib
  • Python Decorator
  • Python Generators
  • Web Scraping Using Python
  • Python JSON
  • Python Itertools
  • Python Multiprocessing
  • How to Calculate Distance between Two Points using GEOPY
  • Gmail API in Python
  • How to Plot the Google Map using folium package in Python
  • Grid Search in Python
  • Python High Order Function
  • nsetools in Python
  • Python program to find the nth Fibonacci Number
  • Python OpenCV object detection
  • Python SimpleImputer module
  • Second Largest Number in Python

Python OOPs

  • Python OOPs Concepts
  • Python Object Class
  • Python Constructors
  • Python Inheritance
  • Abstraction in Python

Python MySQL

  • Environment Setup
  • Database Connection
  • Creating New Database
  • Creating Tables
  • Insert Operation
  • Read Operation
  • Update Operation
  • Join Operation
  • Performing Transactions
  • Python MongoDB
  • Python SQLite

Python Questions

  • How to install Python in Windows
  • How to reverse a string in Python
  • How to read CSV file in Python
  • How to run Python Program
  • How to take input in Python
  • How to convert list to string in Python
  • How to append element in the list
  • How to compare two lists in Python
  • How to convert int to string in Python
  • How to create a dictionary in Python
  • How to create a virtual environment in Python
  • How to declare a variable in Python
  • How to install matplotlib in Python
  • How to install OpenCV in Python
  • How to print in same line in Python
  • How to read JSON file in Python
  • How to read a text file in Python
  • How to use for loop in Python
  • Is Python scripting language
  • How long does it take to learn Python
  • How to concatenate two strings in Python
  • How to connect Database in Python
  • How to convert list to dictionary in Python
  • How to declare a global variable in Python
  • How to reverse a number in Python
  • What is an object in Python
  • Which is the fastest implementation of Python
  • How to clear Python shell
  • How to create a DataFrames in Python
  • How to develop a game in Python
  • How to install Tkinter in Python
  • How to plot a graph in Python
  • How to print pattern in Python
  • How to remove an element from a list in Python
  • How to Round number in Python
  • How to sort a dictionary in Python
  • Strong Number in Python
  • How to Convert Text to Speech in Python
  • Bubble Sort in Python
  • Logging in Python
  • Insertion Sort in Python
  • Binary Search in Python
  • Linear Search in Python
  • Python vs Scala
  • Queue in Python
  • Stack in Python
  • Heap Sort in Python
  • Palindrome program in python
  • Program of Cumulative sum in python
  • Merge Sort in Python
  • Python Matrix
  • Python Unit Testing
  • Forensics & Virtualization
  • Best Books to Learn Python
  • Best Books to Learn Django
  • GCD of two number in python
  • Python Program to generate a Random String
  • How to One Hot Encode Sequence Data in Python
  • How to write square root in Python
  • Pointer in Python
  • Python 2D array
  • Python Memory Management
  • Python Libraries for Data Visualization
  • How to call a function in Python
  • Git Modules in Python
  • Top Python Frameworks for Gaming
  • Python Audio Modules
  • Wikipedia Module in Python
  • Python random randrange()
  • Permutation and Combination in Python
  • Getopt module in Python
  • Merge two Dictionaries in Python
  • Multithreading in Python 3
  • Static in Python
  • How to get the current date in Python
  • argparse in Python
  • Python tqdm Module
  • Caesar Cipher in Python
  • Tokenizer in Python
  • How to add two lists in Python
  • Shallow Copy and Deep Copy in Python
  • Atom Python
  • Contains in Python
  • Label Encoding in Python
  • Django vs. Node JS
  • Python Frameworks
  • How to create a vector in Python using NumPy
  • Pickle Module of Python
  • How to convert Bytes to string in Python
  • Python Program to Find Anagram
  • How to convert List to Set
  • Python vs JavaScript
  • Python Holidays Module
  • FuzzyWuzzy Python Library
  • Dask Python
  • Dask Python (Part 2)
  • Mode in Python
  • Menu-Driven Programs in Python
  • Python Array vs. List
  • What is duck typing in Python
  • PEP 8 in Python
  • Python User Groups
  • Basic Commands in Python
  • F String in Python
  • How Brython Works
  • How to use Brython in the Browser
  • Arima Model in Python
  • Python Modulus Operator
  • MATLAB vs. Python
  • Method Resolution Order in Python
  • Monkey Patching in Python
  • Python __call__ method
  • Python heapq module
  • Python Substring
  • Project ideas for Python Beginners
  • Python Faker
  • Fizz-Buzz Program in Python
  • Tabula Python
  • Python Program to Print Prime Factor of Given Number
  • Python Program to Print Pascal Triangle
  • NamedTuple in Python
  • OrderedDict in Python
  • T-Test in Python
  • Python return statement
  • Getter and Setter in Python
  • Enum class in Python
  • Destructors in Python
  • Curve Fit in Python
  • Converting CSV to JSON in Python
  • Underscore (_) in Python
  • Set vs List in Python
  • Locating and Executing Modules
  • Flatten List in Python
  • Pair Plot in Python
  • Data Hiding in Python
  • Python Program to Find Intersection of Two Lists
  • How to Create Requirements.txt File in Python
  • Tic-Tac-Toe in Python
  • Python Asynchronous Programming - asyncio and await
  • Python main() function
  • strftime() function in Python
  • Verbose Flag in Python Regex
  • Python AST Module
  • Python Requests Module - HTTP Request
  • Shutil Module in Python
  • Python epoch to Datetime
  • Python del Statement
  • Looping technique in Python
  • Metaprogramming with Metaclasses in Python
  • Precision Handling in Python
  • Python Join List
  • strip() function in Python
  • Gradient Descent Algorithm
  • Prettytable in Python
  • Sentiment Analysis in Python
  • Convert Python List to NumPy Arrays
  • Traceback in Python
  • Time clock() Method in Python
  • Deque in Python
  • Dictionary Comprehension in Python
  • Python Data Analytics
  • Python seek() Method
  • Ternary Operator in Python
  • How to Calculate the Area of the Circle using Python
  • How to Write in Text File using Python
  • Python KeyError
  • Python super() Function
  • max() function in Python
  • Fraction Module in Python
  • Popular Python Framework to Build API
  • How to Check Python version
  • Python %s - String Formatting
  • Python seaborn Library
  • Countplot in Python
  • range() Vs. Xrange() Python
  • Wordcloud Package in Python
  • Convert dataframe into list
  • ANOVA Test in Python
  • Python program to find compound interest
  • Ansible in Python
  • Python Important Tips and Tricks
  • Python Coroutines
  • Double Underscores in Python
  • re.search() VS re.findall() in Python Regex
  • How to install statsmodels in Python
  • Cos in Python
  • vif in Python
  • __add__ Method in Python
  • Ethical Hacking with Python
  • Class Variable vs Instance
  • Perfect Number in Python
  • EOL in Python
  • Python Program to convert Hexadecimal String to Decimal String
  • Different Methods in Python for Swapping Two Numbers without using third variable
  • How to Change Plot Size in Matplotlib
  • How to Get the Zip Code in Python
  • Eel in Python
  • Assignment Operators in Python
  • Speech Recognition python
  • Yield vs Return in Python
  • Graphene Python
  • Name Mangling in Python
  • Python combination without itertools
  • Python Comprehensions
  • InfluxDB in Python
  • Kafka Tutorial in Python
  • Augmented Assignment Expressions in Python
  • Python (x,y) Software
  • Python Event-Driven programming
  • Python Semaphore
  • Python sorted reverse
  • Automorphic Number in Python
  • sizeof in Python
  • Python Program for accepting the strings which contains all vowels
  • Class-based views vs Function-Based Views
  • How to handle cookies in Django
  • agg() function in Python
  • Amicable Numbers in Python
  • Context Manager in Python
  • Create BMI Calculator using Python
  • String to Binary in Python
  • What is script mode in Python
  • Best Python libraries for Machine Learning
  • Python Program to Display Calendar of Given Year
  • How to open URL in Python
  • Broken Pipe Error in Python
  • Code Template for Creating Objects in Python
  • Python program to calculate the best time to buy and sell stock
  • Tuple to String in Python
  • Kadane's Algorithm in Python
  • Loggers in Django
  • Weather App in Django
  • Missing Data Conundrum: Exploration and Imputation Techniques
  • Different Methods of Array Rotation in Python
  • What is Operator Overloading in Python
  • Defaultdict in Python
  • Operator Module in Python
  • Spinner Widget in the kivy Library of Python
  • Number Plate Recognition using Python
  • Obfuscating a Python program
  • Convert string to dictionary in Python
  • Convert string to JSON in Python
  • DBSCAN algorithm in Python
  • How to Write a Code for Printing the Python Exception/Error Hierarchy
  • Principal Component Analysis (PCA) with Python
  • Python Program to Find Number of Days Between Two Given Dates
  • Object Recognition using Python
  • Python VLC module
  • Set to list in Python
  • String to int in Python
  • Internet of Things with Python
  • Python pysftp module
  • Amazing hacks of Python
  • Average of list in Python
  • Check Installed Modules in Python
  • choice() in Python
  • Convert List to dataframe in Python
  • Convert String to Float in Python
  • Decorators with Parameters in Python
  • Dynamic Typing in Python
  • Fabs in Python
  • How to Remove Decimal in Python
  • Python Closure
  • Python Glob Module
  • Writing a Python Module
  • Modules vs Packages in Python
  • SNMP module in Python
  • Append vs Extend vs Insert in Python
  • How to Remove Duplicates from a list in Python
  • Remove Multiple Characters from a String in Python
  • Shuffle in Python
  • floor() and ceil() Functions in Python
  • sqrt(): Math Function of Python
  • Python yfinance Module
  • Difflib module in Python
  • Convert the Column Type from String to Datetime Format in Pandas DataFrame
  • Python wxPython Module
  • Random Uniform Python
  • Relational Operators in Python
  • String to List in Python
  • Chatbot in Python
  • How to Convert float to int in Python
  • Multiply All Elements in list of Python
  • module vs function in Python
  • Reverse a tuple in Python
  • Tuple to Dictionary in Python
  • datetime.timedelta() Function of Python
  • Python Bio Module
  • Python Dash Module
  • How to Select rows in Pandas DataFrame Based on Conditions
  • Typecasting in Python
  • Dateutil module in Python
  • Getpass module in Python
  • Python Wand library
  • Generate a QR Code using Python
  • Best Python PDF Library
  • Python Cachetools Module
  • Python Cmdparser Module
  • Python Dash module
  • Python Emoji Module
  • Python Nmap Module
  • Python PyLab Module
  • Working with PDF files in Python
  • PDF Handling in Python
  • Manipulating PDF using Python
  • List All Functions from a Python Module
  • Python list of Dictionaries
  • Python Shelve Module
  • Creating Interactive PDF forms using Python
  • Python Newspaper Module
  • How to Connect Wi-Fi using Python
  • Best Python Libraries used for Ethical Hacking
  • Windows System Administration Management using Python
  • Indentation Error in Python
  • Python imaplib Module
  • Python lxml Module
  • Python MayaVi Module
  • Python os.listdir() method
  • Python Modules for Automation
  • Data Visualization in Python using Bokeh Library
  • How to Plot glyphs over a Google Map by using Bokeh Library in Python
  • How to Plot a Pie Chart using Bokeh Library in Python
  • How to Read Contents of PDF using OCR in Python
  • Grammar and Spell Checker in Python
  • Converting HTML to PDF files using Python
  • Readlines in Python
  • How to Plot Multiple Lines on a Graph Using Bokeh in Python
  • bokeh.plotting.figure.circle_x() Function in Python
  • bokeh.plotting.figure.diamond_cross() Function in Python
  • How to Plot Rays on a Graph using Bokeh in Python
  • Image Steganography using Python
  • Inconsistent use of tabs and spaces in indentation
  • How to Plot Multiple Plots using Bokeh in Python
  • How to Make an Area Plot in Python using Bokeh
  • Python ChemPy Module
  • Python memory-profiler Module
  • Python Phonenumbers Module
  • Python Platform Module
  • TypeError string indices must be an integer
  • Time Series Forecasting with Prophet in Python
  • Python Pexpect Module
  • Python Optparse Module
  • int object is not iterable
  • Python Peewee Library
  • Some Cryptocurrency Libraries for Python
  • Building a Blockchain using Python
  • Huffman Coding using Python
  • Nested Dictionary in Python
  • Collections.UserString in Python
  • How to Customize Legends with Matplotlib
  • Matplotlib legend in subplot
  • Morphological Operations in Image Processing in Python
  • Role of Python in Artificial Intelligence
  • Python Instagramy Module
  • Python pprint Module
  • Python PrimePy Module
  • Android Development using Python
  • Python fbchat library
  • Artificial Intelligence in Cybersecurity: Pitting Algorithms vs Algorithms
  • Understanding The Recognition Pattern of Artificial Intelligence
  • When and How to Leverage Lambda Architecture in Big Data
  • Why Should We Learn Python for Data Science
  • How to Change the "legend" Position in Matplotlib
  • How to Check if Element Exists in List in Python
  • How to Check Spellings of Given Words using Enchant in Python
  • Python Program to Count the Number of Matching Characters in a Pair of String
  • Ping Pong Game Using Turtle in Python
  • Python Function to Display Calendar
  • Python Program for Calculating the Sum of Squares of First n Natural Numbers
  • Python Program for How to Check if a Given Number is Fibonacci Number or Not
  • randint() Function in Python
  • Visualize Tiff File using Matplotlib and GDAL in Python
  • rarfile module in Python
  • Stemming Words using Python
  • Python Program for Word Guessing Game
  • Blockchain in Healthcare: Innovations & Opportunities
  • Snake Game in Python using Turtle Module
  • How to Find Armstrong Numbers between two given Integers
  • Celery Tutorial Using Python
  • RSME - Root Mean Square Error in Python
  • Building a Twitter Bot using Python
  • Python Progressbar Module
  • Python Pronouncing Module
  • Python PyAutoGUI Module
  • Python Pyperclip Module
  • How to Generate UUID in Python
  • Python Top 10 Libraries to Learn in 2022
  • Reading NetCDF Data using Python
  • The reprlib module in Python
  • How to take Multiple Input from User in Python
  • Python zlib Library
  • Python Queue Module
  • Python YAML Parser
  • Effective Root Searching Algorithms in Python
  • Python Bz2 Module
  • Python IPaddress Module
  • Python PyLint Module
  • How to Process XML in Python
  • Bisect Algorithm Functions in Python
  • Creating and Updating PowerPoint Presentation using Python
  • How to change the size of figure drawn with matplotlib
  • Keyboard Module in Python
  • Python Pyfiglet Module
  • Creating an MCQ Quiz Game in Python
  • Statistic with Python
  • What is GIL in Python
  • Basic Python for Java Developers
  • How to Download YouTube Videos Using Python Scripts
  • Traffic Flow Simulation in Python
  • How to Merge and Sort Two Lists in Python
  • Metacharacters in Python
  • Write the Python Program to Print All Possible Combination of Integers
  • Modulo String Formatting in Python
  • Counters in Python
  • Python pyautogui Library
  • How to Draw the Mandelbrot Set in Python
  • Python Dbm Module
  • Webcam Motion Detector in Python
  • GraphQL Implementation in Django
  • How to Implement Protobuf in Python
  • PyQt library in Python
  • How to Prettify Data Structures with Pretty Print in Python
  • Encrypt a Password in Python Using bcrypt
  • Pyramid Framework in Python
  • Building a Telegram bot using Python
  • Web2py Framework in Python
  • Python os.chdir() Method
  • Balancing Parentheses in Python
  • How to Provide Multiple Constructors in Python Classes
  • Profiling the Python code
  • Build a Dice-Rolling Application with Python
  • Email module in Python
  • Essential Recursion Programs in Python
  • How to Design Hashset in Python
  • How to Extract YouTube Data in Python
  • How to Solve Stock Span Problem Using Python
  • Selection Sort in Python
  • info() Function in Python
  • Two Sum Problem: Python Solution of Two sum problem of Given List
  • Write a Python Program to Check a List Contains Duplicate Element
  • Write Python Program to Search an Element in Sorted Array
  • Pathlib module in Python
  • Create a Real Time Voice Translator using Python
  • How to Sort Tuple in Python
  • Advantages of Python that made it so Popular and its Major Applications
  • Library in Python
  • Packages of Data Visualization in Python
  • Python pympler library
  • SnakeViz library in Python
  • Materialized View vs View
  • Namespace in Python
  • Python Program to return the Sign of the product of an Array
  • Fabric Module in Python
  • Tracemalloc module in Python
  • Split, Sub, Subn functions of re module in python
  • Robot Framework in Python
  • Understanding Robotics with Python
  • Gzip module in Python
  • guppy/heapy in Python
  • Microservices in Python
  • Functools Module in Python
  • Plotting Google Map using gmplot package in Python
  • Monitoring Devices using Python
  • Webbrowser module in Python
  • Binary Search using Recursion in Python
  • C vs C++ vs Python vs Java
  • How to Check Version of Python
  • Convert Roman Number to Decimal (Integer) | Write Python Program to Convert Roman to Integer
  • Create REST API using Django REST Framework | Django REST Framework Tutorial
  • Memoization using Decorators in Python
  • Python for Network Engineering
  • 'and' vs '&' in Python
  • Cryptography package in Python
  • Hangman Game in Python
  • Implementation of Linear Regression using Python
  • Nested Decorators in Python
  • Python Program to Find Difference between Two Strings
  • Python urllib Library
  • Fiona module in Python
  • Firebase module in python
  • Python For Kids
  • Floor Division in Python
  • Top 10 Best Coursera Python Courses
  • Top Python for Network Engineering Libraries
  • How does Tokenizing Text, Sentence, Words Works
  • How to Import Datasets using sklearn in PyBrain
  • Part of Speech Tagging using TextBlob
  • Python for Kids: Resources for Python Learning Path
  • XGBoost ML Model in Python
  • Simple FLAMES game in Python
  • Alarm Clock with GUI in Python
  • Rock Paper Scissors Game in Python
  • Check if a Given Linked List is Circular Linked List
  • Reverse the Linked List in Python
  • Flatten() vs Ravel() Numpy Functions
  • Learning Vector Quantization
  • Lemmatization and Tokenize with TextBlob
  • How to Round Numbers in Python
  • Precedence and Associativity of Operators in Python
  • Python unofficial libraries
  • 12 Best Python Projects for Class 12
  • Desktop Notifier in Python
  • How to handle Time zones in Python
  • Python Secret Module
  • Make Notepad using Tkinter
  • Camelcase in Python
  • Difference between Python and Scala
  • How to Use Cbind in Python
  • Python Asserts
  • Python Bitwise Operators
  • Python Time asctime() Method
  • Q-Learning in Python
  • Combinatoric Iterators in Python
  • Class Method vs Static Method vs Instance Method
  • Free Python eBooks
  • Eight Amazing Ideas of Python Tkinter Projects
  • Creating a Keylogger using Python
  • Quandl package in Python
  • Implementing Apriori Algorithm in Python
  • Sentiment Analysis using VADER
  • Break Statement in Python
  • Handling Imbalanced Data in Python with SMOTE Algorithm and Near Miss Algorithm
  • GUI Calculator using Python
  • Sympy module in python
  • Smote Python
  • Breadth-First Search in Python
  • Python Graphviz: DOT Language
  • How to Visualize a Neural Network in Python using Graphviz
  • Python Graphviz
  • Compound Interest GUI Calculator using Python
  • Rank-based Percentile GUI Calculator in Python
  • URL shortner in Python
  • Automate Instagram Messages using Python
  • Python SimpleHTTPServer Module
  • Standard GUI Unit Converter in Python
  • Python Paramiko Module
  • Dispatch Decorators in Python
  • Introspection in Python
  • Class Decorator in Python
  • Customizing Parser Behaviour Python Module 'configparser'
  • Python's Module Configparser
  • GUI Calendar using Tkinter in Python
  • Python Program to Rotate an Image
  • Validate the IP Address in Python
  • Write a Program to Print the Diagonal Elements of the Given 2D Matrix
  • Encapsulation in Python
  • Polymorphism in Python
  • StringIO Module in Python
  • 10 Python Image Manipulation Tools
  • How to insert current_timestamp into Postgres via Python
  • How to Perform a One-Way ANOVA in Python
  • Types of inheritance Python
  • Python For Mechanical Engineers
  • Python Module xxHash
  • Escape Sequences in Python
  • PYTHON NULL STATEMENT
  • Python AND Operator
  • Python OR Operator
  • Python Bitwise XOR Operator
  • Python New Line
  • __init__ in python
  • __dict__ in Python
  • Simple To-Do List GUI Application in Python
  • Automate Software Testing with Python
  • Automate the Google search using Python
  • __name__ in Python
  • _name_ _main_ in Python
  • 8 Puzzle problem in Python
  • accuracy_score in Sklearn
  • Python vs. Julia
  • Python Crontab Module
  • Python Execute Shell Command
  • File Explorer using Tkinter in Python
  • Automated Trading in Python
  • Python Automation Project Ideas
  • K-means 1D clustering in Python
  • Adding a key:value pair to a dictionary in Python
  • fit(), transform() and fit_transform() Methods in Python
  • Python For Finance
  • Librosa Library in Python
  • Python Artificial Intelligence Projects for Beginners
  • Age Calculator using Tkinter in Python
  • How to Iterate a Dictionary in Python
  • How to Iterate through a List in Python
  • How to Learn Python Online
  • Cross-Validation in Sklearn
  • Popular Python Libraries for Finance Industry
  • Famous Python Certification, Courses for Finance
  • Accuracy_Score in Sklearn
  • K-Fold Cross-Validation in Sklearn
  • Python Projects on ML Applications in Finance
  • Digital Clock using Tkinter in Python
  • Plot Correlation Matrix in Python
  • Euclidian Distance using NumPy
  • How to Parse JSON in Python
  • How to Make the First Column an Index in Python
  • How to Make an App in Python
  • Morse Code Translator In Python
  • Python Locust Module
  • Python Time Module
  • Sklearn Linear Regression Example
  • Python Timeit Module
  • QR code using python
  • Flipping Tiles (Memory game) using Python
  • Python Curl
  • Examples of Python Curl
  • Sklearn Model Selection
  • StandardScaler in Sklearn
  • Filter List in Python
  • Python Projects in Networking
  • Python NetworkX
  • Sklearn Logistic Regression
  • What is Sklearn in Python
  • Tkinter Application to Switch Between Different Page Frames in Python
  • Append (key: value) Pair to Dictionary
  • any() in Python
  • Arguments and Parameters in Python
  • Attributes Meaning in Python
  • Data Structures and Algorithms in Python | Set 1
  • Gaussian Elimination in Python
  • Learn Python from Best YouTube Channels in 2022
  • Sklearn Clustering
  • Sklearn Tutorial
  • What Is Sleeping Time in Python
  • Python Word2Vec
  • Creating the GUI Marksheet using Tkinter in Python
  • A Colour game using Tkinter in Python
  • Simple FLAMES game using Tkinter in Python
  • YouTube Video Downloader using Python Tkinter
  • Find Key from Value in Dictionary
  • Sklearn Regression Models
  • COVID-19 Data Representation app using Tkinter in Python
  • Image Viewer App Using Tkinter in Python
  • Simple registration form using Tkinter in Python
  • Python String equals
  • Control Statements in Python
  • How to Plot Histogram in Python
  • How to Plot Multiple Linear Regression in Python
  • Physics Calculations in Python
  • Solve Physics Computational Problems Using Python
  • Screen Rotation GUI Using Python Tkinter
  • Application to Search Installed Applications using Tkinter in Python
  • Spell Corrector GUI using Tkinter in Python
  • Data Structures and Algorithms in Python
  • GUI to Shut Down, Restart, and Log off the computer using Tkinter in Python
  • GUI to extract Lyrics from a song Using Tkinter in Python
  • Sentiment Detector GUI using Tkinter in Python
  • Python sleep() Function
  • Diabetes Prediction Using Machine Learning
  • First Unique Character in a String Python
  • Using Python Create Own Movies Recommendation Engine
  • Find Hotel Price Using the Hotel Price Comparison API using Python
  • Get Started with RabbitMQ and Python
  • How to Send Push Notification in Python
  • How to Use Redis with Python
  • Advance Concepts of Python for Python Developer
  • Pycricbuzz Library - Cricket API for Python
  • Write the Python Program to Combine Two Dictionary Values for Common Keys
  • Apache Airflow in Python
  • Currying in Python
  • How to Find the User's Location using Geolocation API
  • LRU Cache in Python
  • Python List Comprehension vs Generator Expression
  • Python Output Formatting
  • Python Property Decorator
  • DFS (Depth First Search) in Python
  • Fast API Tutorial: A Framework to Create APIs
  • Mirror Character of a String in Python
  • Python IMDbPY - A library for Movies
  • Python Packing and Unpacking Arguments in Python
  • Python pdb Tutorial - Python pdb
  • Python Program to Move all the zeros to the end of Array
  • Regular Dictionary vs Ordered Dictionary in Python
  • Topology Sorting in Python
  • Tqdm Integration with Pandas
  • Bisect Module in Python
  • Boruvka's Algorithm - Minimum Spanning Trees
  • Difference between Property and Attributes in Python
  • Draw Great Indian Flag using Python Code
  • Find all triplets with Zero Sum in Python
  • Generate HTML using tinyhtml Module in Python
  • Google Search Packages using Python
  • KMP Algorithm - Implementation of KMP Algorithm using Python
  • New Features in Python 3.10
  • Types of Constant in Python
  • Write a Python Program to Sort an Odd-Even sort or Odd even transposition Sort
  • Write the Python Program to Print the Doubly Linked List in Reverse Order
  • Application to get live USD - INR rate using Tkinter in Python
  • Create the First GUI Application using PyQt5 in Python
  • Simple GUI calculator using PyQt5 in Python
  • Best Resources to Learn NumPy and Pandas
  • Decision Tree in Python Sklearn
  • Python Books for Data Structures and Algorithms
  • Python Tkinter-Top level Widget
  • Remove First Character from String in Python
  • Loan Calculator using PyQt5 in Python
  • Flappy Bird Game using PyGame in Python
  • Rank-Based Percentile GUI Calculator using PyQt5 in Python
  • 3D Scatter Plotting in Python using Matplotlib
  • Function Annotations in Python
  • Numpy-3d Matrix Multiplication
  • os.path.abspath() method in Python
  • Emerging Advance Python Projects 2022
  • How to Check Nan Values in Pandas
  • How to combine two dataframe in Python - Pandas
  • How to make a Python auto clicker
  • Age Calculator using PyQt5 in Python
  • Create a Table using PyQt5 in Python
  • Create a GUI Calendar using PyQt5 in Python
  • Snake Game using PyGame in Python
  • Return two values from a function in Python
  • Complete roadmap to learn Python
  • Tree view widgets and Tree view scrollbar in Tkinter-Python
  • AES CTR Python
  • Curdir Python
  • FastNlMeansDenoising in Python
  • Python Email.utils
  • Python Win32 Process
  • Data Science Projects in Python with Proper Project Description
  • How to Practice Python Programming
  • Hypothesis Testing Python
  • **args and **kwargs in Python
  • __file__ (A Special Variable) in Python
  • __future__ module in Python
  • Applying Lambda functions to Pandas Dataframe
  • Box Plot in Python using Matplotlib
  • Box-Cox Transformation in Python
  • AssertionError in Python
  • Find Key with Maximum Value in Dictionary
  • Project in Python - Breast Cancer Classification with Deep Learning
  • Colour game using PyQt5 in Python
  • Digital clock using PyQt5 in Python
  • Countdown Timer using PyQt5 in Python
  • Simple FLAMES game using PyQt5 in Python
  • __getitem__() in Python
  • GET and POST Requests using Python
  • AttributeError in Python
  • Matplotlib.figure.Figure.add_subplot() in Python
  • Python bit functions on int(bit_length,to_bytes and from_bytes)
  • Check if String has Character in Python
  • How to Get 2 Decimal Places in Python
  • How to Get Index of Element in List Python
  • Nested Tuples in Python
  • GUI Assistant using Wolfram Alpha API in Python
  • Signal Processing Hands-on in Python
  • Scatter() plot pandas in Python
  • Scatter() plot matplotlib in Python
  • Data Analysis Project Ideas in Python
  • Building a Notepad using PyQt5 and Python
  • Simple Registration form using PyQt5 in Python
  • Conditional Expressions in Python
  • How to Print a List Without Brackets in Python
  • How to Rename Column Names in Python
  • Looping Through DataFrame in Python
  • Music Recommendation System Python Project with Source Code
  • Python counter add
  • Python Project with Source Code - Profile Finder in GitHub
  • Python Algorithms
  • Python descriptors
  • Python false
  • Python front end framework
  • Python javascript browser
  • Python linter
  • Tokens and Character Set in Python
  • Web Development Project in Python
  • Why Python is so Popular
  • Companies that Use Python
  • How to Learn Python Faster
  • Legb Rule in Python
  • Python Discord Bot
  • Python Documentation Best Practices
  • Python Mobile App Development
  • Save json File in Python
  • Scratch and Python Basics
  • Sentiment Analysis using NLTK
  • Desktop Battery Notifier using Python
  • How to Assign List Item to Dictionary
  • How to Compress Images in Python
  • How to Concatenate Tuples to Nested Tuples
  • How to Create a Simple Chatroom in Python
  • How to Humanize the Delorean Datetime Objects
  • How to Print Colored Text in Python
  • How to Remove Single Quotes from Strings in Python
  • PyScript Tutorial | Run Python Script in the Web Browser
  • Python FlashText Module
  • Python Libraries for PDF Extraction
  • Reading and Writing Lists to a File in Python
  • Image Viewer Application using PyQt5 in Python
  • Best Compilers for Python
  • Parse error python
  • Pass function as parameter python
  • Edge Computing Project Ideas List Part- 1
  • NumPy Operations
  • Sklearn Ensemble
  • Parse date from string python
  • Parse timestamp python
  • Parsing data in python
  • Parsing tsv python
  • Path python linux
  • Edge Computing Project Ideas List Part- 2
  • How to Get Indices of All Occurrences of an Element in Python
  • How to Get the Number of Rows and Columns in Dataframe Python
  • Python Coding Platform
  • Return Two Values from a Function Python
  • Best Apps for Practicing Python Programming
  • IDE vs Code Editor
  • Pass variable to dictionary in Python
  • Passing an array to a function python
  • Patch.object python
  • Pause in python script
  • Best Python Interpreters to Use in 2023
  • NumPy Attributes
  • Expense Tracker Application using Tkinter in Python
  • Variable Scope in Python
  • Alphabet in Python
  • Python Find in List
  • Python Infinity
  • Flask Authentication in Python
  • Fourier Transform Python
  • IDLE Software in Python
  • NumPy Functions
  • APSchedular Python Example
  • Oserror Python
  • Empty Tuple Python
  • Plot Line in Python
  • Python Mutable Data Types
  • Python Mutable vs. Immutable Data Types
  • Python Variance Function
  • Fashion Recommendation Project using Python
  • Social Progress Index Analysis Project in Python
  • Advance Bar Graph in Python
  • Advantages Of Python Over Other Languages
  • Different Methods To Clear List In Python
  • Password Validation in Python
  • Common Structure of Python Compound Statements
  • Weather API Python
  • Get Image Data in Python
  • IPython Display
  • Joint Plot in Python
  • "Not" Operator in Python
  • Best Languages for GUI
  • Python GUI Tools
  • Collaborative Filtering and its Types in Python
  • Create a GUI for Weather Forecast using openweather Map API in Python
  • Create a Stopwatch using Python
  • Difference between == and is Operator in Python
  • Difference between Floor Division and Float Division in Python
  • Difference Between Python 2 and Python 3
  • Face Recognition in Python
  • Feature Vectors for Text Classification
  • Find Current Weather of Any City using OpenWeatherMap API in Python
  • How many Python Packages are there
  • How to Create a Countdown Timer using Python
  • Is Python Case Sensitive
  • Iterable Types in Python
  • Python Learning Path
  • Python to C++ converter Online List
  • How to Validate Email in Python
  • Programs for Printing Pyramid Technique in Python
  • Seed in Python
  • Self Keyword in Python
  • Spotify API Python
  • What is Web Development in Python
  • Categorical variable in Python
  • Companding in digital communication
  • Create and access package in python
  • How to Import Kaggle Datasets Directly into Google Colab
  • Implementing Artificial Neural Network Training Process in Python
  • Private Variables in Python
  • Python | Ways to find nth Occurrence of Substring in a String
  • Python - Combine all CSV Files in Folder
  • Python Concatenate Dictionary
  • Python IMDbPY - Retrieving Person using Person ID
  • Python Input Methods for Competitive Programming
  • How to set up Python in Visual Studio Code
  • How to use PyCharm
  • What is Python
  • Classmethod() in Python
  • How to Handle Memory Error in Python
  • Python Graphical Programming
  • Python Library Download
  • Python Message Encode-Decode using Tkinter
  • Python Validation
  • Send Message to Telegram User using Python
  • Taking Input from Console in Python
  • Timer Application using PyQt5
  • Type Conversion in Python
  • World-Class Software IT Firms That Use Python in 2023
  • Amazon Pi Tool
  • Antennas and Wave propagation
  • How to use Python for Web Development
  • Important differences between python2.x and python3.x
  • Mahotas - Haralick
  • Pandas Copy Row
  • What is Identifier in Python
  • What is Rest API
  • Selenium basics
  • Tensor Flow
  • Create a Python Directory Tree Generator
  • How to build a GUI application with WxPython
  • How to read HTML table in Python
  • How to Validated Email Address in Python with Regular Expression
  • Introduction to bPython
  • Introduction to PyOpenGL in Python
  • Introduction to the pywhatkit Library
  • Lee Algorithm in Python
  • Python Site Connectivity Checker Project
  • New Features and Fixes in Python 3.11
  • Python Arrows
  • SGD Regressor
  • What is Utility Function in Python
  • Wildcards in Python
  • Regular Expressions
  • Validating Bank Account Number Using Regular Expressions
  • Create a Contacts List Using PyQt, SQLite, and Python
  • Should We Update the Latest Version of Python Bugfix
  • How To Add Time Delay in Python
  • How to check nan in Python
  • How to delete the last element in a list in Python
  • Find out about bpython: A Python REPL With IDE-Like Features
  • When Do You Use an Ellipsis in Python
  • Competitive Coding tricks in Python
  • PyQt5 QDockWidget and its features
  • Building a Site Connectivity checker in Python
  • Intermediate fields in Django-Python
  • Python 3.11: New Features
  • Utilize Python and Rich to Create a Wordle Clone
  • Binding Method in Python Tkinter
  • Building Physical Projects with Python on the Raspberry Pi
  • Bulk File Rename Tool with PyQt and Python
  • Create a Quote Generator in Python
  • How to convert an array to a list in python
  • How to Iterate Through a Dictionary in Python
  • Python Program to Print a Spiral Matrix
  • Python with Qt Designer: Quicker GUI Application Development
  • Subsets in Python
  • Best Python Popular Library for Data Engineer | NLP
  • Difference between Unittest and Doctest
  • Image Filter with Python | OpenCV
  • Important Python Decorator
  • Pendulum Library in Python
  • Python doctest Module | Document and Test Code
  • Some Advance Ways to Use Python Dictionaries
  • String Manipulation in Python
  • Alexa Python Development: Build and Deploy an Alexa Skill
  • AppConfig Python
  • Boto3 Python Module
  • Build a Content Aggregator in Python
  • Denomination Program in Python
  • Environment Variables in Python
  • Excel Python Module
  • GUI to get views, likes, and title of a YouTube video using YouTube API in Python
  • How to check if a dictionary is empty in python
  • How to Extract Image information from YouTube Playlist using Python
  • How to Initialize a List in Python
  • Introduction of Datetime Modules in Python
  • Periodogram Python
  • PltPcolor Python
  • Python Openssl Generate Certificate
  • Python 'Return Outside Function' Error
  • Python Xticks in Python
  • Visualizing DICOM Images using PyDicom and Matplotlib in Python
  • Validating Entry Widget in Python Tkinter
  • Random Shuffle Python
  • _new_ in Python
  • Build a WhatsApp Flashcard App with Twilio, Flask, and Python
  • Build Cross - Platform GUI Apps with Kivy
  • Compare Stochastic Learning Strategies for MLP Classifier in Scikit Learn
  • Control Structures in Python
  • Crop Recommendation System using TensorFlow
  • Data Partitioning in PySpark
  • Define a Python Class for Complex Numbers
  • Difference Between Feed Forward Neural Network and Recurrent Neural Network
  • Find Lower Insertion Point in Python
  • Finding Element in Rotated Sorted Array in Python
  • First Occurrence Using Binary Search in Python
  • Flower Recognition Using Convolutional Neural Network
  • Frequency Modulation in Python
  • Head and Tail Function in Python
  • How to check data type in python
  • How to check for a perfect square in python
  • How to convert binary to decimal numbers in python
  • How to Determine if a Binary Tree is Height-Balanced using Python
  • How to Empty a Recycle Bin using Python
  • How to Extract YouTube Comments Using Youtube API - Python
  • How to Make Better Models in Python using SVM Classifier and RBF Kernel
  • How to Process Incoming Data in Flask
  • How to Remove All Special Characters from a String in Python
  • How to Remove an Element from a List in Python
  • How to unpack a dictionary in python
  • Hybrid Programming using Python and Dart
  • Implementation of Kruskal?s Algorithm in Python
  • Mocking External API in Python
  • ModuleNotFoundError: no module named Python
  • Os.getenv() in Python
  • Os.walk() in python
  • Prevent Freeze GUIs By Using PyQt's QThread
  • Python Built-in Exceptions
  • Python List Size
  • Python Raise an Exception
  • Random Password Generator in Python
  • re.sub() function in python
  • Sklearn Predict Function
  • Subtract String Lists in Python
  • TextaCy Module in Python
  • Automate a WhatsApp message using Python
  • Functions and file objects in Python sys module
  • What is a Binary Heap in Python
  • What is a Namespace and scope in Python
  • Update Pyspark Dataframe Metadata
  • Login Module in Python
  • Convert Pandas DataFrames, Series and Numpy ndarray to each other
  • Create a Modern login UI using the CustomTkinter Module in Python
  • Deepchecks Testing Machine Learning Models |Python
  • Develop Data Visualization Interfaces in Python with Dash
  • Difference between 'del' and 'pop' in python
  • Get value from Dictionary by key with get() in Python
  • How to convert Hex to ASCII in python
  • How to convert hexadecimal to binary in python
  • How to Flush the Output of the Python Print Function
  • How to swap two characters in a string in python
  • How to Use the Rich Library with Python
  • Min Heap Implementation in Python
  • Mobile Application Automation using Python
  • Multidimensional image processing using Scipy in Python
  • Outer join Spark dataframe with non-identical join column
  • Photogrammetry with Python
  • Procurement Analysis Projects with Python
  • Python pylance Module
  • Python Pyright Module
  • Transformer-XL
  • Calculate Moving Averages in Python
  • Exponential Moving Average in Python
  • Hypothesis Testing of Linear Regression in Python
  • Advanced Usage of Python
  • Birthday Reminder Application in Python
  • Blender Python Module
  • Boost Python Module
  • Build a Recipe Recommender System using Python
  • Build Enumerations of Constants with Python's Enum
  • Mad Libs Generator Game in Python
  • Finding Euclidean distance using Scikit-Learn in Python
  • Gradient Descent Optimizer in Python
  • How to add characters in string in Python
  • How to find the maximum pairwise product in python
  • How to get the First Match from a Python List or Iterable
  • How to Handle Missing Parameters in URL with Flask
  • How to Install the Python Spyder IDE and Run Scripts
  • How to read a file line by line in python
  • How to Set X-Axis Values in Matplotlib in Python
  • How to Skip Rows while Reading CSV File using Pandas
  • How to split a Python List or Iterable into Chunks
  • Integral Calculus in Python
  • Introduction of CSV Modules in Python
  • Introduction of Pafy Module
  • Introduction To PIP and Installing Modules in Python
  • Ipware Python Module
  • LastPass Python Module
  • Linear Separability with Python
  • Mechanize Module in Python
  • Multi-Value Query Parameters with Flask
  • Natural Language Processing with Spacy in Python
  • Numpy Logical _and() in Python
  • NumPy. Logical_ or() in Python
  • Os.path.basename() method in python
  • Pandas: Get and Set Options for Display, Data Behaviour
  • Pandas: Get Clipboard Contents as DataFrame with read_clipboard()
  • Pandas: Interpolate NaN with interpolate()
  • Procurement Process Optimization with Python
  • Python Namespace Package and How to Use it
  • Typing Test Python Project
  • Slide Puzzle using PyGame - Python
  • Transfer Learning with Convolutional Neural Network
  • Update Single Element in JSONB Column with SQLAlchemy
  • Using Matplotlib with Jupyter Notebook
  • Best way to Develop Desktop Applications using Python
  • Difference between __repr__() vs __str__()
  • Anytree Python
  • Python Expanduser
  • TSP in Python
  • Twitter API Python
  • Union of Set in Python
  • Unit Testing in Django
  • reduce() in Python
  • Python Program to find if a character is a vowel or a Consonant
  • File Organizer: Write a Python program that organizes the file in a directory based on the extension
  • Best Online Python Compilers
  • Capsule Networks in Deep Learning
  • collections.abc Module Python
  • Contextvars Module of Python
  • How to Split a Python List or Iterable into Chunks
  • Log base 2 function in python
  • Playfair Cipher Implementation in Python
  • Python Program to Detect a Cycle in a Directed Graph
  • Python program to find Edit Distance between two strings
  • Building 2048 Game in Python
  • Quicksort in Python
  • Range of float in python
  • Replace the Column Contains the Values 'yes' and 'no' with True and False in Pandas| Python
  • Scrapy Module in Python
  • Space Invaders game using Python
  • Water Jug Problem in Python
  • Predicting Housing Prices using Python
  • Signal Module in Python
  • map, filter, and reduce in Python with Examples
  • Edit Distance in Python
  • How to Concatenate a String and Integer in Python
  • How to Convert a MultiDict to Nested Dictionary using Python
  • How to print the spiral matrix of a given matrix in Python
  • How to Round Floating values to two decimal in Python
  • Longest Common Prefix in Python
  • Longest Common Subsequence in Python
  • Parenthesized Context Managers Python
  • Pneumonia Detection Using CNN in Python
  • Python program to convert a given number into words
  • Python Program to Implement a Stack Using Linked List
  • Scraping a JSON Response with Scrapy
  • Structural Pattern Matching Python
  • Postfix to Infix Conversion in Python
  • Prefix to Infix Conversion in Python
  • Rotate a Linked List in Python
  • How to Re-size Choropleth maps - Python
  • Struct Module in Python
  • Supply Chain Analysis using Python
  • Solar System Visualization Project with Python
  • Symmetric Difference of Multiple Sets in Python
  • Python Program to Find Duplicate Sets in a List of Sets
  • Augmented Reality (AR) in Python
  • Python REST APIs with Flask, Connexion, and SQLAlchemy
  • Fastest way to Split a Text File using Python
  • User-defined Data structures in Python
  • Find the Number that Appears Once
  • Analysis of Customer Behaviour Using Python
  • Flattening of Linked List Python
  • Apply a Function to a Single Column of a CSV in Spark
  • calibrateHandEye() Python OpenCV
  • Compute the roots of a Chebyshev Series using NumPy in Python
  • Detectron2 - Object Detection with PyTorch
  • Differentiate a Legendre Series and Set the Derivatives using NumPy in Python
  • Differentiate a Legendre Series with multidimensional coefficients in Python
  • Evaluate a Legendre Series at Multidimensional Array of Points X in Python
  • File Transfer using TCP Socket in Python
  • Generate a Legendre Series with Given Roots in Python
  • Generate a Vandermonde Matrix of the Legendre Polynomial with a Float Array of Points in Python using NumPy
  • Haar Cascade Algorithm
  • How is Natural Language Processing in Healthcare Used
  • Interface in Python
  • Introduction to PyQtGraph Module in Python
  • Lazy Evolution in Python
  • Make Python Program Faster using Concurrency
  • Method Overriding in Python
  • PyGTK For GUI Programming
  • Python program to Dictionary with Keys Having Multiple Inputs
  • Python Selective Keys Summation
  • Return the Scaled Companion Matrix of a 1-D Array of Chebyshev Series Coefficients using NumPy in Python
  • Create a Simple Sentiment Analysis WebApp using Streamlit
  • Unicode and Character Encoding in Python
  • Write a Python Program to Find the Missing Element from the Given List
  • Write Python Program to Check Whether a Given Linked List is Palindrome
  • Write Python Program to Find Greater Element
  • Write Python Program to First Repeating Element from the List
  • Write the Python Program to Find the Perfect Sum
  • Write the Python Program to Sort the List of 0s, 1s and 2s
  • YOLO : You Only Look Once - Real Time Object Detection
  • Retail Cost Optimization using Python
  • Fake News Detector using Python
  • Check Whether Two Strings Are Isomorphic to Each Other or Not in Python
  • Sort list elements by Frequency in Python
  • Sort a List by the Lengths of its Elements in Python
  • How to give space in Python
  • Knight Tour Problem
  • Serialization in Python
  • 15 Statistical Hypothesis Tests in Python
  • Clone the Linked List with Random and Next Pointer in Python
  • Maximum Product Subarray
  • Evaluation Metrics for Machine Learning Models with Codes in Python
  • Pythonping Module
  • Python Constants Module
  • PyBluez - Bluetooth Python Extension Module
  • How to Create Telnet Client with Asyncio in Python
  • Python Program to Check Whether Two Strings are Anagram to Each Other or Not
  • Input a list in Python
  • Netflix Data Analysis using Python
  • Career Aspirations Survey Analysis using Python
  • Get() Method in Python
  • isna() Function in Python
  • Barrier Objects in Python
  • Data-Oriented Programming in Python
  • What is PyDev
  • Python Instance
  • Python Popen
  • Python Private Method
  • Python Subprocess Run
  • Python Threading Timer
  • Python TOML
  • Reflection in Python
  • Stock Span Problem
  • Write Python Code to Flattening the Linked List
  • Write Python Program to find the Kth Smallest Element
  • Write Python Program to Find Uncommon Characters of the Two Strings
  • Write Python Program to Recursively Remove All Adjacent Duplicates
  • Write the Python Program to Reverse the Vowels in the Given String
  • How to use Pass statement in Python
  • Recursion in Python
  • Real-Time Data Analysis from Social Media Data in Python
  • Exception handling in Python
  • Least Recently Used Page Replacement Algorithm Python Program
  • Number patterns in Python
  • Shortest Job First (or SJF) CPU Scheduling Python Program
  • Zig-Zag Traversal of Binary Tree in Python
  • Count occurrences of items in Python List
  • Largest Rectangle Hackerrank Solution in Python
  • Unemployment Data Analysis using Python
  • Binary Search Tree in Python
  • Classes and Objects in Python
  • Jump Statement in Python-Break Statement
  • Jump Statements in Python-continue statement
  • Random Forest for Time Series Forecasting
  • Visualising Global Population Datasets with Python
  • Hill Cipher in Python
  • In-place Operators in Python
  • In-place vs. Standard Operators in Python
  • Predicting Rideshare Fares using Python
  • Python eval() vs. exec()
  • Find live running status and PNR of any train using Railway API
  • How to Create Global Variables in Python Functions
  • Hybrid Recommendation System using Python
  • Minimum Swaps to Sort
  • Ordinary Least Squares and Ridge Regression Variance in Scikit Learn
  • Program to display Astrological Sign or Zodiac Sign for given Date of Birth
  • Python Program to Find Row with Maximum number of 1s
  • Python's Self Type | Annotate Method That Return Self Type
  • Track Bird Migration
  • Type Hint Concepts to Improve Python Code
  • Vectorization in Python
  • What is PVM in Python
  • Write a Python Program to Find Permutation of a Given String
  • Write the Python Program to Sort an Array According to Other
  • All Nodes at Distance K Python Solution
  • Check If the Binary Tree is Binary Search Tree or Not
  • Count the Number of Bracket Reversals
  • Sort Colours Problem
  • Jump Game Problem in Python
  • Rotate the Matrix
  • Water Quality Analysis
  • Student Academic Performance Prediction Using Python
  • Argparse vs Docopt vs Click - Comparing Python Command-Line Parsing Libraries
  • Find First and Last Position of an Element in a Sorted Array
  • Finger Search Tree Data Structure
  • How to Get Country Information using Python
  • How to use IPython
  • Improve Object Oriented Design in Python
  • Longest Palindrome String
  • PySpark Dataframe Split
  • SciPy CSGraph - Compressed Sparse Graph
  • Scrape the Most Reviewed News and Tweet using Python
  • Search a String in the Dictionary with the Given Prefix and Suffix
  • Sorting using Trivial Hash Function
  • What is a TABU Search
  • Characteristics of Algorithms in Python
  • What is XPath in Selenium with Python
  • Merging Two Sorted Arrays Without Extra Space
  • Binomial Distribution in Python
  • PyGal Library in Python
  • PyQt5 QDoubleSpinBox - Getting Maximum Possible Value
  • PyQt5 QDoubleSpinBox - Python
  • PyQt5 QDoubleSpinBox - Setting Maximum Possible Value
  • PyQt5 QDoubleSpinBox - Setting Step Type Property
  • Rossmann Store Sales Prediction
  • Finding Next Greater Element in Python
  • Sort Python List Using Multiple Attributes
  • Alteryx vs Python
  • Business Card Reader using Python
  • Difference between AlexNet and GoogleNet
  • How to Use LightGBM in Python
  • How can Tensorflow be used with Abalone Dataset to Build a Sequential Model
  • Hollow Pyramid Pattern in Python
  • JSON Schema Validator Python
  • Log Normal Distribution in Statistics Using Python
  • Lomax Distribution in Statistics using Python
  • Maxwell Distribution in Statistics using Python
  • Moyal Distribution in Statistics using Python
  • Python Appium Framework
  • App User Segmentation in Python
  • How to Download Files from URLs using Python
  • Log Functions in Python
  • Longest Consecutive Sequence
  • Python Inspect Module
  • Toolz Module in Python
  • How can Tensorflow be used to pre-process the flower training
  • Concatenate N consecutive elements in String list
  • Advection Diffusion Equation using Python
  • Deletion in Red-Black Tree using Python
  • Hoare's vs. Lomuto partition scheme in QuickSort using Python
  • iconphoto() method in Tkinter | Python
  • Insertion in Red-Black Tree using Python
  • Python Code for Red-Black Tree
  • QuickSort using Random Pivoting using Python
  • Using Bioconductor from Python
  • What is CPython
  • Finding the Intersection Node of Two Linked Lists
  • Python Solution of Median of Two Sorted Arrays
  • The Maximum Sum Subarray Problem
  • Bilateral Filtering Using Python
  • Chaining Comparison Operators in Python
  • Middle of three numbers using minimum comparisons in Python
  • Find_Elements_by_ Partial_link_text() using Selenium Python
  • Find_Elements_by_Xpath() using Selenium Python
  • Back Driver Method - Selenium Python
  • Python - Poisson Discrete Distribution in Statistics
  • Largest palindromic number by permuting digits using Python
  • Minimum initial vertices to traverse whole matrix with given conditions using Python
  • Find Leader in the Given Array
  • Find the Count of Triangles in an Unsorted Array
  • Find the Element That Appears Once in an List Where Every Other Element Appears Twice
  • Generate Attractive QR Codes Using Python
  • How to Bypass the GIL for Parallel Processing
  • How to Catch Multiple Exceptions in Python
  • 3D Visualisation of Quick Sort using Matplotlib in Python
  • 10 Digit Mobile Number Validation in Python
  • Aho-Corasick Algorithm for Pattern Searching Using Python
  • Amazon Product Price Tracker using Python
  • Attendance System Using Face Recognition
  • Boyer Moore Algorithm for Pattern Searching using Python
  • CLEAN Tips to IMPROVE Python Functions
  • Convert a NumPy Array to an Image
  • Count the Participants Defeating Maximum Individuals in a Competition using Python
  • Create a White Image using NumPy in Python
  • Create your own Universal Function in NumPy using Python
  • create_web_element Driver Method - Selenium Python
  • Data Visualization Using TuriCreate in Python
  • Deep ConvNets Architectures for Computer Vision
  • Delete_all_cookies driver method - Selenium Python
  • delete_cookie driver method - Selenium Python
  • Difference Between os.rename and shutil.move in Python
  • Dual pivot Quicksort using Python
  • execute_async_script driver method - Selenium Python
  • execute_script driver method - Selenium Python
  • Find an Index of Maximum Occurring Element with Equal Probability using Python
  • Finite Automata Algorithm for Pattern Searching Using Python
  • forward driver method - Selenium Python
  • fullscreen_window driver method - Selenium Python
  • Get Emotions of Images using Microsoft Emotion API in Python
  • get_log Driver Method - Selenium Python
  • get_screenshot_as_base64 Driver Method - Selenium Python
  • get_screenshot_as_file Driver Method - Selenium Python
  • get_screenshot_as_png Driver Method - Selenium Python
  • get_cookies driver method - Selenium Python
  • get_window_position Driver Method - Selenium Python
  • get_window_rect Driver method - Selenium Python
  • get_window_size driver method - Selenium Python
  • Hash Map in Python - Collision, Load Factor and Rehashing
  • How to Convert Images to NumPy Array
  • How to Create an Animation of the Embeddings During Fine-Tuning
  • How to Create India Data Maps With Python and Matplotlib
  • How to Fix KeyError in Python - How to Fix Dictionary Error in Python
  • How to Limit the Width and Height in Pygal
  • How to Suppress Warnings in Python
  • Hungarian Algorithm Python
  • Implementation of Search, Insert and Delete in Treap using Python
  • implicitly_wait Driver Method - Selenium Python
  • Introduction to Disjoint Set (Union-Find Algorithm) using Python
  • Introduction to MoviePy in Python
  • Introduction to PyCaret
  • Introduction to Trie using Python
  • K'th Largest Element in BST Using Constant Extra Space Using Python
  • Leaf Nodes from Preorder of a Binary Search Tree Using Python
  • Matplotlib - Axes Class
  • Multivariate Linear Regression in Python
  • Negative Binomial Discrete Distribution in Statistics in Python
  • NumPy ufunc - Universal Functions Python
  • numpy-tril_indices-function-python
  • Pattern Searching using a Trie of all Suffixes using Python
  • Performing Google Search using Python Code
  • Print a Singly Linked List in Spiral Order Using Python
  • Program to Generate CAPTCHA and Verify user using Python
  • PySpark UDF of MapType
  • Python - Discrete Hyper-geometric Distribution in Statistics
  • Uniform Discrete Distribution in Statistics using Python
  • Python - Vertical Concatenation in Matrix
  • Python Bokeh tutorial - Interactive Data Visualization with Bokeh
  • Python in Electrical and Electronic Engineering
  • Python - Logistics Distribution in Statistics
  • Python - Log Laplace Distribution in Statistics
  • Python OpenCV | cv2.cvtColor() Method
  • Quick Sort on Doubly Linked List using Python
  • Random Acyclic Maze Generator with given Entry and Exit point using Python
  • Solving Linear Equations with Python
  • Smallest Derangement of Sequence using Python
  • Sensitivity Analysis to Optimize Process Quality in Python
  • Stacked Bar Charts using Pygal
  • Visualizing Geospatial Data using Folium in Python
  • Recaman's Sequence using Python
  • Future of Python
  • Hierholzer's Algorithm in Python
  • Selenium Python Introduction and Installation
  • Screen Manager in Kivy using. kv file in Python
  • Python Program for Strong Password Suggestion
  • Sylvester's Sequence using Python
  • Thread-based Parallelism in Python
  • Variations in Different Sorting Techniques in Python
  • Spaceship Titanic Project using Machine Learning - Python
  • Naive Bayes algorithm in Python
  • SAX algorithm in python
  • Plotly with Matplotlib and Chart Studio
  • Plotly with Pandas and Cufflinks

Python Tkinter (GUI)

  • Python Tkinter
  • Tkinter Button
  • Tkinter Canvas
  • Tkinter Checkbutton
  • Tkinter Entry
  • Tkinter Frame
  • Tkinter Label
  • Tkinter Listbox
  • Tkinter Menubutton
  • Tkinter Menu
  • Tkinter Message
  • Tkinter Radiobutton
  • Tkinter Scale
  • Tkinter Scrollbar
  • Tkinter Text
  • Tkinter Toplevel
  • Tkinter Spinbox
  • Tkinter PanedWindow
  • Tkinter LabelFrame
  • Tkinter MessageBox

Python Web Blocker

  • Introduction
  • Building Python Script
  • Script Deployment on Linux
  • Script Deployment on Windows
  • Python MCQ Part 2

Related Tutorials

  • NumPy Tutorial
  • Django Tutorial
  • Flask Tutorial
  • Pandas Tutorial
  • Pytorch Tutorial
  • Pygame Tutorial
  • Matplotlib Tutorial
  • OpenCV Tutorial
  • Openpyxl Tutorial
  • Python Design Pattern
  • Python Programs
  • Python program to print Hello Python
  • Python program to do arithmetical operations
  • Python program to find the area of a triangle
  • Python program to solve quadratic equation
  • Python program to swap two variables
  • Python program to generate a random number
  • Python program to convert kilometers to miles
  • Python program to convert Celsius to Fahrenheit
  • Python program to display calendar
  • Python Program to Check if a Number is Positive, Negative or Zero
  • Python Program to Check if a Number is Odd or Even
  • Python Program to Check Leap Year
  • Python Program to Check Prime Number
  • Python Program to Print all Prime Numbers in an Interval
  • Python Program to Find the Factorial of a Number
  • Python Program to Display the multiplication Table
  • Python Program to Print the Fibonacci sequence
  • Python Program to Check Armstrong Number
  • Python Program to Find Armstrong Number in an Interval
  • Python Program to Find the Sum of Natural Numbers
  • Python Program to Find LCM
  • Python Program to Find HCF
  • Python Program to Convert Decimal to Binary, Octal and Hexadecimal
  • Python Program To Find ASCII value of a character
  • Python Program to Make a Simple Calculator
  • Python Program to Display Calendar
  • Python Program to Display Fibonacci Sequence Using Recursion
  • Python Program to Find Factorial of Number Using Recursion
  • Python program to check if the given number is a Disarium Number
  • Python program to print all disarium numbers between 1 to 100
  • Python program to check if the given number is Happy Number
  • Python program to print all happy numbers between 1 and 100
  • Python program to determine whether the given number is a Harshad Number
  • Python program to print all pronic numbers between 1 and 100
  • Python program to copy all elements of one array into another array
  • Python program to find the frequency of each element in the array
  • Python program to left rotate the elements of an array
  • Python program to print the duplicate elements of an array
  • Python program to print the elements of an array
  • Python program to print the elements of an array in reverse order
  • Python program to print the elements of an array present on even position
  • Python program to print the elements of an array present on odd position
  • Python program to print the largest element in an array
  • Python program to print the smallest element in an array
  • Python program to print the number of elements present in an array
  • Python program to print the sum of all elements in an array
  • Python program to right rotate the elements of an array
  • Python program to sort the elements of an array in ascending order
  • Python program to sort the elements of an array in descending order
  • Python Program to Add Two Matrices
  • Python Program to Multiply Two Matrices
  • Python Program to Transpose a Matrix
  • Python Program to Sort Words in Alphabetic Order
  • Python Program to Remove Punctuation From a String
  • Python program to convert a given binary tree to doubly linked list
  • Python program to create a doubly linked list from a ternary tree
  • Python program to create a doubly linked list of n nodes and count the number of nodes
  • Python program to create a doubly linked list of n nodes and display it in reverse order
  • Python program to create and display a doubly linked list
  • Python program to delete a new node from the beginning of the doubly linked list
  • Python program to delete a new node from the end of the doubly linked list
  • Python program to delete a new node from the middle of the doubly linked list
  • Python program to find the maximum and minimum value node from a doubly linked list
  • Python program to insert a new node at the beginning of the Doubly Linked list
  • Python program to insert a new node at the end of the Doubly Linked List
  • Python program to insert a new node at the middle of the Doubly Linked List
  • Python program to remove duplicate elements from a Doubly Linked List
  • Python program to rotate doubly linked list by N nodes
  • Python program to search an element in a doubly linked list

Python String functions

  • capitalize()
  • center(width ,fillchar)
  • count(string,begin,end)
  • endswith(suffix ,begin=0,end=len(string))
  • expandtabs(tabsize = 8)
  • find(substring ,beginIndex, endIndex)
  • format(value)
  • index(subsring, beginIndex, endIndex)
  • isdecimal()
  • isidentifier()
  • isnumeric()
  • isprintable()
  • ljust(width[,fillchar])
  • partition()
  • replace(old,new[,count])
  • rfind(str,beg=0,end=len(str))
  • rindex(str,beg=0,end=len(str))
  • rjust(width,[,fillchar])
  • rsplit(sep=None, maxsplit = -1)
  • split(str,num=string.count(str))
  • splitlines(num=string.count('\n'))
  • startswith(str,beg=0,end=len(str))
  • translate(table,deletechars = '')
  • zfill(width)
  • rpartition()

Latest Courses

Python

Javatpoint provides tutorials and interview questions of all technology like java tutorial, android, java frameworks

Contact info

G-13, 2nd Floor, Sec-3, Noida, UP, 201301, India

[email protected] .

Facebook

Interview Questions

Online compiler.

IMAGES

  1. The Knight's Tour Problem (using Backtracking Algorithm)

    time complexity of knight tour problem

  2. Knight Tour Problem Backtracking (Data Structures and Algorithms #8)(Recursion #5)(Backtracking #4)

    time complexity of knight tour problem

  3. 8.12. Building the Knight’s Tour Graph

    time complexity of knight tour problem

  4. Figure 1 from A New Structured Knight Tour Algorithm by Four Knights

    time complexity of knight tour problem

  5. Knight Tour Problem and Its Graph Analysis

    time complexity of knight tour problem

  6. Solving Knight's Tour variation problem in python : r/learnprogramming

    time complexity of knight tour problem

VIDEO

  1. This SotN Randomizer has INFINITE Complexity?!

  2. The knight's tour problem #chess #vedantadesika

  3. The Knight's Tour Problem #graphtheory #math #chess

  4. Run Knight, Run!

  5. Touring The Shard

  6. Knight's Tour Problem(Backtracking)

COMMENTS

  1. The Knight's tour problem

    Time Complexity : There are N 2 Cells and for each, we have a maximum of 8 possible moves to choose from, so the worst running time is O(8 N^2). Auxiliary Space: O(N 2) Important Note: No order of the xMove, yMove is wrong, but they will affect the running time of the algorithm drastically. For example, think of the case where the 8th choice of the move is the correct one, and before that our ...

  2. The Knight's Tour Problem (using Backtracking Algorithm)

    The backtracking algorithm used to solve the Knight's Tour problem has an exponential time complexity. The number of possible paths for the knight grows very quickly as the size of the chessboard increases, which means that the time taken to explore all possible paths grows exponentially. The exact time complexity of the Knight's Tour ...

  3. Warnsdorff's algorithm for Knight's tour problem

    Warnsdorff's algorithm for Knight's tour problem. Problem : A knight is placed on the first block of an empty board and, moving according to the rules of chess, must visit each square exactly once. Following is an example path followed by Knight to cover all the cells. The below grid represents a chessboard with 8 x 8 cells.

  4. Knight's Tour Problem in C

    Time Complexity: O(8N^2), as there are N^2 Cells and for each, we have a maximum of 8 possible moves to choose from, so the worst running time is . Auxiliary Space: O(N^2) Knight's Tour using Warnsdorff's Algorithm in C. Warnsdorff's rule is a heuristic method to solve the Knight's Tour problem.

  5. Knight's tour

    Knight's graph showing all possible paths for a knight's tour on a standard 8 × 8 chessboard. The numbers on each node indicate the number of possible moves that can be made from that position. The knight's tour problem is an instance of the more general Hamiltonian path problem in graph theory.The problem of finding a closed knight's tour is similarly an instance of the Hamiltonian cycle ...

  6. Knight's Tour Problem

    The Knight's Tour Problem is one of the famous problem in which we have the knight on a chessboard. The knight is supposed to visit every square exactly once. We have explored Backtracking and Warnsdorff's algorithm. ... Time Complexity: O(n * n) for traversing the n x n squares.

  7. PDF An efficient algorithm for the Knight's tour problem

    The knight's tour problem is the problem of con- structing such a tour, given n. A knight ... Such a tour can be constructed in time 0(n2). Proof. The proof is by induction on n. The claim is easily seen to be true for 6 < n < 10 by inspecting Fig. 2 (the knight's tours in this figure were obtained using the random walk algorithm described ...

  8. The Knight's Tour Problem in Java

    Complexity Analysis: The time complexity of the Knight's tour problem using backtracking is O(8^(N^2)), where N is the size of the chessboard. It is because at each move, the Knight has 8 possible moves to choose from, and the total number of moves the Knight can make is N^2. The space complexity of the program is O(N^2).

  9. 8.14. Knight's Tour Analysis

    The average branching factor is k = 3.8 So the number of nodes in the search tree is 3.8 25 − 1 or 3.12 × 10 14. For a 6x6 board, k = 4.4, there are 1.5 × 10 23 nodes, and for a regular 8x8 chess board, k = 5.25, there are 1.3 × 10 46. Of course, since there are multiple solutions to the problem we won't have to explore every single node ...

  10. 7.11. The Knight's Tour Problem

    7.11. The Knight's Tour Problem ¶. Another classic problem that we can use to illustrate a second common graph algorithm is called the knight's tour. The knight's tour puzzle is played on a chess board with a single chess piece, the knight. The object of the puzzle is to find a sequence of moves that allow the knight to visit every ...

  11. Backtracking Knight's Tour Problem

    A knight's tour is a sequence of moves of a knight on a chessboard such that the knight visits every square only once. If the knight ends on a square that is one knight's move from the beginning square (so that it could tour the board again immediately, following the same path), the tour is closed, otherwise it is open.

  12. PDF Knight Tour Problem and its Graph Analysis

    Knight Graph are bipartite graph. In Knight graph, no two graph vertices within the same set are adjacent. A knight move always alternates between white and black squares. Knight graph are equivalent to two-colorable graph. Its chromatic number is 2. Knight graph is a special case of k-partite graph with k=2. Knight graph are perfect Graph.

  13. 8.11. The Knight's Tour Problem

    The Knight's Tour Problem — Problem Solving with Algorithms and Data Structures. 8.11. The Knight's Tour Problem ¶. Another classic problem that we can use to illustrate a second common graph algorithm is called the "knight's tour.". The knight's tour puzzle is played on a chess board with a single chess piece, the knight.

  14. An efficient algorithm for the Knight's tour problem

    The algorithm of Theorem 2.1 is particularly easy to implement, and can be used to construct knight's tours of size up to 1000 x 1000 in under 11 s on a SUN SPARC 2. The construction described in the proof of Theorem 2.1 can also be used to obtain some knight's tours with interesting properties.

  15. The Knight's tour problem

    Following is the Backtracking algorithm for Knight's tour problem. If all squares are visited. print the solution. Else. a) Add one of the next moves to solution vector and recursively. check if this move leads to a solution. (A Knight can make maximum. eight moves. We choose one of the 8 moves in this step).

  16. A Knight's Tour

    The "knight's tour" is a classic problem in graph theory, first posed over 1,000 years ago and pondered by legendary mathematicians including Leonhard Euler before finally being solved in 1823. We will use the knight's tour problem to illustrate a second common graph algorithm called depth first search. The knight's tour puzzle is played on a chess board with a single chess piece ...

  17. Knight's Tour Problem in C++

    Knight's Tour problem is a classic puzzle in which the goal is to move a knight on a chessboard such that the knight visits every square exactly once. The knight moves in an L-shape: two squares in one direction and then one square perpendicular to that or vice versa. ... Time Complexity: O(8^(N^2)), where N is the size of the chessboard ...

  18. 9.11. The Knight's Tour Problem

    9.11. The Knight's Tour Problem ¶. Another classic problem that we can use to illustrate a second common graph algorithm is called the "knight's tour.". The knight's tour puzzle is played on a chess board with a single chess piece, the knight. The object of the puzzle is to find a sequence of moves that allow the knight to visit ...

  19. What is Knight's tour problem?

    To solve the knight's tour problem using the backtracking approach, follow the steps given below −. Start from any cell on the board and mark it as visited by the knight. Move the knight to a valid unvisited cell and mark it visited. From any cell, a knight can take a maximum of 8 moves.

  20. c++

    The Knight's Tour problem can be stated as follows: Given a chess board with n × n squares, find a path for the knight that visits every square exactly once. ... I mean time complexity O(8^(n^2)) = k*8^(n^2) and the difference will be in a lower k factor. Algorithm improvements.

  21. Similar problem to Knight's tour

    Similar problem to Knight's tour. Ask Question Asked 8 months ago. Modified 8 months ago. Viewed 56 times 0 $\begingroup$ ... Time complexity of this solution to N-queens problem. 1. Filling a 3x3 board with connected tiles. 3. Maximize number of museums visited in a day. 6.

  22. 8.13. Implementing Knight's Tour

    8.13. Implementing Knight's Tour¶. The search algorithm we will use to solve the knight's tour problem is called depth first search (DFS).Whereas the breadth first search algorithm discussed in the previous section builds a search tree one level at a time, a depth first search creates a search tree by exploring one branch of the tree as deeply as possible.

  23. Knight Tour Problem

    Knight Tour Problem. The Knight's Tour problem is a classic problem in the field of computational mathematics and computer science.It is a puzzle where a chess knight is placed on an empty chess board and the goal is to move the knight to every square on the board exactly once without re-visiting any squares. The tour is considered closed if the knight ends on the square it started on.