Python Articles

Page 739 of 852

How to reset index in Pandas dataframe?

Prasad Naik
Prasad Naik
Updated on 16-Mar-2021 449 Views

In this program, we will replace or, in other words, reset the default index in the Pandas dataframe. We will first make a dataframe and see the default index and then replace this default index with our custom index.AlgorithmStep 1: Define your dataframe. Step 2: Define your own index. Step 3: Replace the default index with your index using the reset function in Pandas library.Example Codeimport pandas as pd dataframe = {'Name':["Allen", "Jack", "Mark", "Vishal"], 'Marks':[85, 92, 99, 87]} df = pd.DataFrame(dataframe) print("Before using reset_index:", df) own_index = ['a', 'j', 'm', 'v'] df = pd.DataFrame(dataframe, own_index) ...

Read More

How to make several plots on a single page using matplotlib in Python?

Rishikesh Kumar Rishi
Rishikesh Kumar Rishi
Updated on 16-Mar-2021 475 Views

Using Pandas, we can create a data frame and create a figure and axis. After that, we can use the scatter method to draw points.StepsCreate lists of students, marks obtained by them, and color codings for each score.Make a data frame using Panda’s DataFrame, with step 1 data.Create fig and ax variables using subplots method, where default nrows and ncols are 1.Set the X-axis label using plt.xlabel() method.Set the Y-axis label using plt.ylabel() method.A scatter plot of *y* vs. *x* with varying marker size and/or color.To show the figure, use plt.show() method.Examplefrom matplotlib import pyplot as plt import pandas as ...

Read More

How to plot ROC curve in Python?

Rishikesh Kumar Rishi
Rishikesh Kumar Rishi
Updated on 16-Mar-2021 7K+ Views

ROC − Receiver operating characteristics (ROC) curve.Using metrics.plot_roc_curve(clf, X_test, y_test) method, we can draw the ROC curve.StepsGenerate a random n-class classification problem. This initially creates clusters of points normally distributed (std=1) about vertices of an ``n_informative``-dimensional hypercube with sides of length ``2*class_sep`` and assigns an equal number of clusters to each class.It introduces interdependence between these features and adds various types of further noise to the data. Use the make_classification() method.Split arrays or matrices into random trains, using train_test_split() method.Fit the SVM model according to the given training data, using fit() method.Plot Receiver operating characteristic (ROC) curve, using plot_roc_curve() method.To ...

Read More

Print dates of today, yesterday and tomorrow using Numpy

Prasad Naik
Prasad Naik
Updated on 16-Mar-2021 527 Views

In this program, we will print today's, yesterday's and tomorrow's dates using the numpy library.AlgorithmStep 1: Import the numpy library. Step 2: find today's date using the datetime64() function. Step 3: find yesterday's date by subtracting the output of timedelta64() function from the output of datetime64() function. Step 4: Find yesterday's date by adding the output of timedelta64() function from the output of datetime64() function.Example Codeimport numpy as np todays_date = np.datetime64('today', 'D') print("Today's Date: ", todays_date) yesterdays_date = np.datetime64('today', 'D') - np.timedelta64(1, 'D') print("Yesterday's Date: ", yesterdays_date) tomorrows_date = np.datetime64('today', 'D') + np.timedelta64(1, 'D') print("Tomorrow's Date: ...

Read More

How to draw different shapes using the Python Turtle library?

Prasad Naik
Prasad Naik
Updated on 16-Mar-2021 4K+ Views

In this program, we will draw different shapes using the Turtle library in Python. Turtle is a python feature like a drawing board, which lets you command a turtle to draw all over it. The different shapes that we are going to draw are square, rectangle, circle and a hexagon.AlgorithmStep 1: Take lengths of side for different shapes as input.Step 2: Use different turtle methods like forward() and left() for drawing different shapes.Example Codeimport turtle t = turtle.Turtle() #SQUARE side = int(input("Length of side: ")) for i in range(4):    t.forward(side)    t.left(90) #RECTANGLE side_a = int(input("Length of ...

Read More

Scatter plot and Color mapping in Python

Rishikesh Kumar Rishi
Rishikesh Kumar Rishi
Updated on 16-Mar-2021 843 Views

We can create a scatter plot using the scatter() method and we can set the color for every data point.StepsCreate random values (for x and y) in a given shape, using np.random.rand() method.Create a scatter plot of *y* vs. *x* with varying marker size and/or color, using the scatter method where color range would be in the range of (0, 1000).Show the figure using plt.show().Exampleimport matplotlib.pyplot as plt import numpy as np x = np.random.rand(1000) y = np.random.rand(1000) plt.scatter(x, y, c=[i for i in range(1000)]) plt.show()Output

Read More

Python program to compare two Pandas series

Prasad Naik
Prasad Naik
Updated on 16-Mar-2021 666 Views

In this program, we will declare two Pandas series and compare their elements. Before we solve the problem, we need to import the Pandas library into our local IDE. This can be done by installing Pandas on our local machine. The command for installing Pandas is −pip install pandasInputSeries1 = [2,4,6,8,10]Series2 = [1,3,5,7,9]AlgorithmStep 1: Define two Pandas series using the Series() function of Pandas library.Step 2: Compare the series using greater than, less than, and equal-to operators.Example Codeimport pandas as pd series1 = pd.Series([2,4,6,8,10]) series2 = pd.Series([1,3,5,7,9]) print("Greater Than: ",series1>series2) print("Less Than: ",series1

Read More

How to maximize a plt.show() window using Python?

Rishikesh Kumar Rishi
Rishikesh Kumar Rishi
Updated on 15-Mar-2021 5K+ Views

Using plt.get_current_fig_manager() and mng.full_screen_toggle() methods, we can maximise a plot.StepsAdd a subplot to the current figure, where nrow = 1, ncols = 1 and index = 1.Create a pie chart using list [1, 2, 3] and pie() method.Return the figure manager of the current figure, using get_current_fig_manager() method. The figure manager is a container for the actual backend-depended window that displays the figure on the screen.Create an abstract base class to handle drawing/rendering operations using the full_screen_toggle() method.Use plt.show() to show the figure.Exampleimport matplotlib.pyplot as plt plt.subplot(1, 1, 1) plt.pie([1, 2, 3]) mng = plt.get_current_fig_manager() mng.full_screen_toggle() plt.show()Output

Read More

Saving images in Python at a very high quality

Rishikesh Kumar Rishi
Rishikesh Kumar Rishi
Updated on 15-Mar-2021 9K+ Views

To save the images in Python with very high quality, you need to follow the steps given below −Create fig and ax variables using subplots method, where default nrows and ncols are 1.Plot the lines using plot() method.We can add axes labels using ylabel() and xlabel().To get a high-quality image, we can use .eps image format.You can increase the dot per inch value, i.e., dpi.Using savefig() method, we can save the image locally.To show the figure, use plt.show().Exampleimport matplotlib.pyplot as plt fig, ax = plt.subplots() plt.plot([0, 5], [0, 5]) plt.ylabel("Y-axis ") plt.xlabel("X-axis ") image_format = 'eps' ...

Read More

Palindrome in Python: How to check a number is palindrome?

pawandeep
pawandeep
Updated on 11-Mar-2021 747 Views

What is a palindrome?A palindrome is a string that is the same when read from left to right or from right to left. In other words, a palindrome string is the one whose reverse is equal to the original string.For example, civic, madam are palindromes.Cat is not a palindrome. Since its reverse is tac, which is not equal to the original string (cat).Write a program to find whether the input string is a palindrome or not.Method 1 - Find Reverse of the stringThe main thing required in the program is to find the reverse of the string.The reverse can be ...

Read More
Showing 7381–7390 of 8,519 articles
« Prev 1 737 738 739 740 741 852 Next »
Advertisements