Book Image

Dancing with Python

By : Robert S. Sutor
Book Image

Dancing with Python

By: Robert S. Sutor

Overview of this book

Dancing with Python helps you learn Python and quantum computing in a practical way. It will help you explore how to work with numbers, strings, collections, iterators, and files. The book goes beyond functions and classes and teaches you to use Python and Qiskit to create gates and circuits for classical and quantum computing. Learn how quantum extends traditional techniques using the Grover Search Algorithm and the code that implements it. Dive into some advanced and widely used applications of Python and revisit strings with more sophisticated tools, such as regular expressions and basic natural language processing (NLP). The final chapters introduce you to data analysis, visualizations, and supervised and unsupervised machine learning. By the end of the book, you will be proficient in programming the latest and most powerful quantum computers, the Pythonic way.
Table of Contents (29 chapters)
2
Part I: Getting to Know Python
10
PART II: Algorithms and Circuits
14
PART III: Advanced Features and Libraries
19
References
20
Other Books You May Enjoy
Appendices
Appendix C: The Complete UniPoly Class
Appendix D: The Complete Guitar Class Hierarchy
Appendix F: Production Notes

2.11 Loops

We use a loop to repeat some action or set of actions while a condition is true.

2.11.1 while

Suppose we want to know the sum of the positive integers less than or equal to 5. This is not much work for you to type and compute directly.

1 + 2 + 3 + 4 + 5
15

Now suppose you want the sum of the positive integers less than or equal to 500. That’s certainly more than you or I would want to type! We can do it easily with a while loop.

sum, count = 0, 1

while count <= 500:
    sum += count
    count += 1

sum
125250

We initialize sum and count and then increment sum by count and count by one while count is less than or equal to 500.

Exercise 2.16

What does Python do if you forget to include count += 1?

Let me make the problem smaller and insert a print call so we can see what is happening.

sum, count = 0,...