Example codes in python

22 полезных примера кода на Python

Python — один из самых популярных языков программирования, чрезвычайно полезный и в решении повседневных задач. В этой статье я вкратце расскажу о 22 полезных примерах кода, позволяющих воспользоваться мощью Python.

Некоторые из примеров вы могли уже видеть ранее, а другие будут новыми и интересными для вас. Все эти примеры легко запоминаются.

1. Получаем гласные

Этот пример возвращает в строке найденные гласные «a e i o u» . Это может оказаться полезным при поиске или обнаружении гласных.

def get_vowels(String): return [each for each in String if each in "aeiou"] get_vowels("animal") # [a, i, a] get_vowels("sky") # [] get_vowels("football") # [o, o, a]

2. Первая буква в верхнем регистре

Этот пример используется для превращения каждой первой буквы символов строки в прописную букву. Он работает со строкой из одного или нескольких символов и будет полезен при анализе текста или записи данных в файл и т.п.

def capitalize(String): return String.title() capitalize("shop") # [Shop] capitalize("python programming") # [Python Programming] capitalize("how are you!") # [How Are You!]

3. Печать строки N раз

Этот пример может печатать любую строку n раз без использования циклов Python.

n=5 string="Hello World " print(string * n) #Hello World Hello World Hello World Hello World Hello World

4. Объединяем два словаря

Этот пример выполняет слияние двух словарей в один.

def merge(dic1,dic2): dic3=dic1.copy() dic3.update(dic2) return dic3 dic1= dic2= merge(dic1,dic2) #

5. Вычисляем время выполнения

Этот пример полезен, когда вам нужно знать, сколько времени требуется для выполнения программы или функции.

import time start_time= time.time() def fun(): a=2 b=3 c=a+b end_time= time.time() fun() timetaken = end_time - start_time print("Your program takes: ", timetaken) # 0.0345

6. Обмен значений между переменными

Это быстрый способ обменять местами две переменные без использования третьей.

a=3 b=4 a, b = b, a print(a, b) # a= 4, b =3

7. Проверка дубликатов

Это самый быстрый способ проверки наличия повторяющихся значений в списке.

def check_duplicate(lst): return len(lst) != len(set(lst)) check_duplicate([1,2,3,4,5,4,6]) # True check_duplicate([1,2,3]) # False check_duplicate([1,2,3,4,9]) # False

8. Фильтрация значений False

Этот пример используется для устранения всех ложных значений из списка, например false, 0, None, » » .

def Filtering(lst): return list(filter(None,lst)) lst=[None,1,3,0,"",5,7] Filtering(lst) #[1, 3, 5, 7]

9. Размер в байтах

Этот пример возвращает длину строки в байтах, что удобно, когда вам нужно знать размер строковой переменной.

def ByteSize(string): return len(string.encode("utf8")) ByteSize("Python") #6 ByteSize("Data") #4

10. Занятая память

Пример позволяет получить объём памяти, используемой любой переменной в Python.

import sys var1="Python" var2=100 var3=True print(sys.getsizeof(var1)) #55 print(sys.getsizeof(var2)) #28 print(sys.getsizeof(var3)) #28

11. Анаграммы

Этот код полезен для проверки того, является ли строка анаграммой. Анаграмма — это слово, полученное перестановкой букв другого слова.

from collections import Counter def anagrams(str1, str2): return Counter(str1) == Counter(str2) anagrams("abc1", "1bac") # True

12. Сортировка списка

Этот пример сортирует список. Сортировка — это часто используемая задача, которую можно реализовать множеством строк кода с циклом, но можно ускорить свою работу при помощи встроенного метода сортировки.

my_list = ["leaf", "cherry", "fish"] my_list1 = ["D","C","B","A"] my_list2 = [1,2,3,4,5] my_list.sort() # ['cherry', 'fish', 'leaf'] my_list1.sort() # ['A', 'B', 'C', 'D'] print(sorted(my_list2, reverse=True)) # [5, 4, 3, 2, 1]

13. Сортировка словаря

orders = < 'pizza': 200, 'burger': 56, 'pepsi': 25, 'Coffee': 14 >sorted_dic= sorted(orders.items(), key=lambda x: x[1]) print(sorted_dic) # [('Coffee', 14), ('pepsi', 25), ('burger', 56), ('pizza', 200)]

14. Получение последнего элемента списка

my_list = ["Python", "JavaScript", "C++", "Java", "C#", "Dart"] #method 1 print(my_list[-1]) # Dart #method 2 print(my_list.pop()) # Dart

15. Преобразование разделённого запятыми списка в строку

Этот код преобразует разделённый запятыми список в единую строку. Его удобно использовать, когда нужно объединить весь список со строкой.

my_list1=["Python","JavaScript","C++"] my_list2=["Java", "Flutter", "Swift"] #example 1 "My favourite Programming Languages are" , ", ".join(my_list1)) # My favourite Programming Languages are Python, JavaScript, C++ print(", ".join(my_list2)) # Java, Flutter, Swift

16. Проверка палиндромов

Этот пример показывает, как быстро проверить наличие палиндромов.

def palindrome(data): return data == data[::-1] palindrome("level") #True palindrome("madaa") #False

17. Перемешивание списка

from random import shuffle my_list1=[1,2,3,4,5,6] my_list2=["A","B","C","D"] shuffle(my_list1) # [4, 6, 1, 3, 2, 5] shuffle(my_list2) # ['A', 'D', 'B', 'C']

18. Преобразование строки в нижний и верхний регистры

str1 ="Python Programming" str2 ="IM A PROGRAMMER" print(str1.upper()) #PYTHON PROGRAMMING print(str2.lower()) #im a programmer

19. Форматирование строки

Этот код позволяет форматировать строку. Под форматированием в Python подразумевается присоединение к строке данных из переменных.

#example 1 str1 ="Python Programming" str2 ="I'm a <>".format(str1) # I'm a Python Programming #example 2 - another way str1 ="Python Programming" str2 =f"I'm a " # I'm a Python Programming

20. Поиск подстроки

Этот пример будет полезен для поиска подстроки в строке. Я реализую его двумя способами, позволяющими не писать много кода.

programmers = ["I'm an expert Python Programmer", "I'm an expert Javascript Programmer", "I'm a professional Python Programmer" "I'm a beginner C++ Programmer" ] #method 1 for p in programmers: if p.find("Python"): print(p) #method 2 for p in programmers: if "Python" in p: print(p)

21. Печать в одной строке

Мы знаем, что функция print выполняет вывод в каждой строке, и если использовать две функции print, они выполнят печать в две строки. Этот пример покажет, как выполнять вывод в той же строке без перехода на новую.

# fastest way import sys sys.stdout.write("Call of duty ") sys.stdout.write("and Black Ops") # output: Call of duty and Black Ops #another way but only for python 3 print("Python ", end="") print("Programming") # output: Python Programming

22. Разбиение на фрагменты

Этот пример покажет, как разбить список на фрагменты и разделить его на меньшие части.

def chunk(my_list, size): return [my_list[i:i+size] for i in range(0,len(my_list), size)] my_list = [1, 2, 3, 4, 5, 6] chunk(my_list, 2) # [[1, 2], [3, 4], [5, 6]]

На правах рекламы

Серверы для разработчиков — выбор среди обширного списка предустановленных операционных систем, возможность использовать собственный ISO для установки ОС, огромный выбор тарифных планов и возможность создать собственную конфигурацию в пару кликов, активация любого сервера в течение минуты. Обязательно попробуйте!

Источник

Python Examples

The best way to learn Python is by practicing examples. This page contains examples on basic concepts of Python. We encourage you to try these examples on your own before looking at the solution.

All the programs on this page are tested and should work on all platforms.

Want to learn Python by writing code yourself? Enroll in our Interactive Python Course for FREE.

Python Program to Check Prime Number

Python Program to Add Two Numbers

Python Program to Find the Factorial of a Number

Python Program to Make a Simple Calculator

  1. Python Program to Print Hello world!
  2. Python Program to Add Two Numbers
  3. Python Program to Find the Square Root
  4. Python Program to Calculate the Area of a Triangle
  5. Python Program to Solve Quadratic Equation
  6. Python Program to Swap Two Variables
  7. Python Program to Generate a Random Number
  8. Python Program to Convert Kilometers to Miles
  9. Python Program to Convert Celsius To Fahrenheit
  10. Python Program to Check if a Number is Positive, Negative or 0
  11. Python Program to Check if a Number is Odd or Even
  12. Python Program to Check Leap Year
  13. Python Program to Find the Largest Among Three Numbers
  14. Python Program to Check Prime Number
  15. Python Program to Print all Prime Numbers in an Interval
  16. Python Program to Find the Factorial of a Number
  17. Python Program to Display the multiplication Table
  18. Python Program to Print the Fibonacci sequence
  19. Python Program to Check Armstrong Number
  20. Python Program to Find Armstrong Number in an Interval
  21. Python Program to Find the Sum of Natural Numbers
  22. Python Program to Display Powers of 2 Using Anonymous Function
  23. Python Program to Find Numbers Divisible by Another Number
  24. Python Program to Convert Decimal to Binary, Octal and Hexadecimal
  25. Python Program to Find ASCII Value of Character
  26. Python Program to Find HCF or GCD
  27. Python Program to Find LCM
  28. Python Program to Find the Factors of a Number
  29. Python Program to Make a Simple Calculator
  30. Python Program to Shuffle Deck of Cards
  31. Python Program to Display Calendar
  32. Python Program to Display Fibonacci Sequence Using Recursion
  33. Python Program to Find Sum of Natural Numbers Using Recursion
  34. Python Program to Find Factorial of Number Using Recursion
  35. Python Program to Convert Decimal to Binary Using Recursion
  36. Python Program to Add Two Matrices
  37. Python Program to Transpose a Matrix
  38. Python Program to Multiply Two Matrices
  39. Python Program to Check Whether a String is Palindrome or Not
  40. Python Program to Remove Punctuations From a String
  41. Python Program to Sort Words in Alphabetic Order
  42. Python Program to Illustrate Different Set Operations
  43. Python Program to Count the Number of Each Vowel
  44. Python Program to Merge Mails
  45. Python Program to Find the Size (Resolution) of a Image
  46. Python Program to Find Hash of File
  47. Python Program to Create Pyramid Patterns
  48. Python Program to Merge Two Dictionaries
  49. Python Program to Safely Create a Nested Directory
  50. Python Program to Access Index of a List Using for Loop
  51. Python Program to Flatten a Nested List
  52. Python Program to Slice Lists
  53. Python Program to Iterate Over Dictionaries Using for Loop
  54. Python Program to Sort a Dictionary by Value
  55. Python Program to Check If a List is Empty
  56. Python Program to Catch Multiple Exceptions in One Line
  57. Python Program to Copy a File
  58. Python Program to Concatenate Two Lists
  59. Python Program to Check if a Key is Already Present in a Dictionary
  60. Python Program to Split a List Into Evenly Sized Chunks
  61. Python Program to Parse a String to a Float or Int
  62. Python Program to Print Colored Text to the Terminal
  63. Python Program to Convert String to Datetime
  64. Python Program to Get the Last Element of the List
  65. Python Program to Get a Substring of a String
  66. Python Program to Print Output Without a Newline
  67. Python Program Read a File Line by Line Into a List
  68. Python Program to Randomly Select an Element From the List
  69. Python Program to Check If a String Is a Number (Float)
  70. Python Program to Count the Occurrence of an Item in a List
  71. Python Program to Append to a File
  72. Python Program to Delete an Element From a Dictionary
  73. Python Program to Create a Long Multiline String
  74. Python Program to Extract Extension From the File Name
  75. Python Program to Measure the Elapsed Time in Python
  76. Python Program to Get the Class Name of an Instance
  77. Python Program to Convert Two Lists Into a Dictionary
  78. Python Program to Differentiate Between type() and isinstance()
  79. Python Program to Trim Whitespace From a String
  80. Python Program to Get the File Name From the File Path
  81. Python Program to Represent enum
  82. Python Program to Return Multiple Values From a Function
  83. Python Program to Get Line Count of a File
  84. Python Program to Find All File with .txt Extension Present Inside a Directory
  85. Python Program to Get File Creation and Modification Date
  86. Python Program to Get the Full Path of the Current Working Directory
  87. Python Program to Iterate Through Two Lists in Parallel
  88. Python Program to Check the File Size
  89. Python Program to Reverse a Number
  90. Python Program to Compute the Power of a Number
  91. Python Program to Count the Number of Digits Present In a Number
  92. Python Program to Check If Two Strings are Anagram
  93. Python Program to Capitalize the First Character of a String
  94. Python Program to Compute all the Permutation of the String
  95. Python Program to Create a Countdown Timer
  96. Python Program to Count the Number of Occurrence of a Character in String
  97. Python Program to Remove Duplicate Element From a List
  98. Python Program to Convert Bytes to a String

Источник

Читайте также:  JavaScript Ajax GET Demo
Оцените статью