Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Added a new Example: Sets discriminating values? #97

Open
wants to merge 4 commits into
base: master
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
52 changes: 52 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -1258,6 +1258,58 @@ False

The built-in `ord()` function returns a character's Unicode [code point](https://en.wikipedia.org/wiki/Code_point), and different code positions of Cyrillic 'e' and Latin 'e' justify the behavior of the above example.

---

### ▶ Sets discriminating values? *

```py
>>> st = set()
>>> st.add(5)
>>> st.add(5)
>>> st.add(10)
>>> st.add(10)
>>> st.add(10)
>>> st.add(20)
>>> st.add(2)
>>> st.add(345678)
>>> st1 = set(sorted(st))
```

**Output:**
```py
>>> st
{2, 5, 10, 345678, 20}
>>> st1
{2, 5, 10, 345678, 20}
```
Everything looks pretty sorted ... just why are sets messing up with 345678?


#### 💡 Explanation:

* This is because a set object is "an unordered collection" of distinct objects.
* So values in a set object are not in a sorted way. Even the values 2, 5, 10 and 20 aren't inserted in sorted manner.

```py
>>> st = set()
>>> st.add(5)
>>> st.add(10)
>>> print(st)
>>> st.add(20)
>>> print(st)
>>> st.add(2)
>>> print(st)
>>> st.add(345678)
>>> print(st)
```
**Output:**
```py
{10, 5}
{10, 20, 5}
{10, 2, 20, 5}
{2, 5, 10, 345678, 20}
```
**Note:** This is why when we want to iterate on the distinct elements of a sequence in sorted way, we iterate on the list obtained from sorted(st), not on the set itself.
---

### ▶ Teleportation *
Expand Down