5 Cool Python One-Liners

  Рет қаралды 36,242

Indently

Indently

Күн бұрын

Пікірлер: 125
@largewallofbeans9812
@largewallofbeans9812 6 ай бұрын
One small thing of note: What you called the Elvis operator is actually Python's ternary conditional operator. Python's Elvis operator is 'or'.
@Indently
@Indently 6 ай бұрын
Uff, thanks for bringing that to my attention! I absolutely meant to say ternary operator but somehow Elvis came to mind, I will update the description when I come back home :)
@felix30ua
@felix30ua 5 ай бұрын
@@Indently len(user_input) > 10 and 'Yes case' or 'No case' ))))
@david-komi8
@david-komi8 3 ай бұрын
​@@IndentlyPretty funny that the description still hasn't been updated
@Slgjgnz
@Slgjgnz 5 ай бұрын
If we are to mention golfing, let's go all the way. return ['No',Yes'][len(user_input)>10]+' case' or return 'YNeos'[len(user_input)
@south828
@south828 5 ай бұрын
cursed 💣
@jogadorjnc
@jogadorjnc 6 ай бұрын
The jumpscare at 2:30, lmao
@ego-lay_atman-bay
@ego-lay_atman-bay 6 ай бұрын
I love line continuation, or at least putting arguments / parameters on their own line. It really helps when you have a bunch of parameters in a single function. It might also have something to do with the fact that I'm visually impaired, so I keep my zoom bigger, and I tend to have a smaller line length limit than most people (unintentionally, meaning, I just try to keep my code in view without having to scroll right, I don't pay attention to the number of characters in a line).
@atnaszurc
@atnaszurc 5 ай бұрын
Just a fyi, your email regex doesn't follow email standards. Domains are allowed to have characters outside of a-z, and so does the local part although it only works on a few mail servers. You'd be better of just checking for an @ sign surrounded by some text and periods.
@DrDeuteron
@DrDeuteron 6 ай бұрын
one liner for partitioning integers P(n, k): P = lambda n,k=None: ( sum([P(n,j+1) for j in range(n)]) if k is None else 0 if not n or k>n else 1 if k==1 or k==n else P(n-1,k-1)+P(n-k,k) )
@aaronvegoda1907
@aaronvegoda1907 6 ай бұрын
When it comes to annotating something like that nested list, what I like to do is the following # MyPy does not love the new 3.12 type keyword. Eg (type IntOrStr = int | str) so from typing import TypeAlias # Quoting 'int | NestedList' is important, as we are forward referencing NestedList: TypeAlias = list["int | NestedList"] # And to make it generic from typing import TypeVar GenericNestedList: TypeAlias = list["T | GenericNestedList[T]"] # And to use it list_of_ints: NestedList = [1,[2,3,[4],5],6] # MyPy is happy list_of_bool: GenericNestedList[bool] = [True, [False, False], False, True] # Also happy I'm not sure what the typing docs have to say about this use case, but I haven't seen it discouraged anywhere either. If anyone does know what the typing docs have to say about this, please let me know :)
@nashiki4792
@nashiki4792 5 ай бұрын
What is the plug-in that you use for checking type hints?
@johangonzalez4894
@johangonzalez4894 5 ай бұрын
5:54 You can use Forward References (the name of the type as a string) to annotate recursive types. In this example, it would be: type Nested = list[Union[int, 'Nested']] You can then annotate nested_list with the Nested type. Using Union instead of the pipe (|) is needed because using pipe on a string results in a type error.
@moorsyjam
@moorsyjam 6 ай бұрын
An old one-liner I used to use for ternary operators was ("False text", "True text")[condition] and I wrote some truly monstrous nested nonsense.
@Russet_Mantle
@Russet_Mantle 6 ай бұрын
using boolean as index is quite clever, just not sure if it's any faster than a simple if else block
@largewallofbeans9812
@largewallofbeans9812 6 ай бұрын
@@Russet_Mantle it's probably slower than an ifelse, as it has to construct a tuple.
@moorsyjam
@moorsyjam 6 ай бұрын
@@Russet_Mantle It's definitely slower. If, say, "False text" was an expression of some kind, the one liner would have to evaluate it even if it's not used.
@Russet_Mantle
@Russet_Mantle 6 ай бұрын
@@moorsyjam True. Thanks for the replies!
@DrDeuteron
@DrDeuteron 6 ай бұрын
clever is not a compliment in python. But if you must: {False: "F", True: "T"}[bool(condition)] is better,
@MikePreston-darkflib
@MikePreston-darkflib 5 ай бұрын
Just a note: trying to parse email addresses with a regex is very bad form. The userpart can be arbitrary and even include the @ sign itself - although pretty rare for modern email systems. Most regex patterns that purport to parse emails really don't work on many rfc compliant email addresses. The correct way is to validate it by verifying the different parts using tokenisation, but this is obviously not trivial. In additon, with domains in foreign languages (punycode encoded or not) and unicode user parts it becomes very complex to do it yourself... just find a good library instead.
@ShunyValdez
@ShunyValdez 5 ай бұрын
TIL that you can call a lambda's variable function inside the same lambda's function. Neat.
@illicitline4552
@illicitline4552 5 ай бұрын
I think it's working only because of the if statement though so be careful
@xijnin
@xijnin 6 ай бұрын
Readability is relative, some ppl think c++ is more readable than python lol
@DrDeuteron
@DrDeuteron 6 ай бұрын
he mean "Human readability"
@ahmedkhedr2631
@ahmedkhedr2631 5 ай бұрын
This is true to some extent, that's why they created industry standards/PEP
@hlubradio2318
@hlubradio2318 5 ай бұрын
Lol
@olemew
@olemew 5 ай бұрын
Human readability is relative only part of the time. Other things are clear cut, you can survey (multi-choice test) and you'll get a consistent answer (close to 100%).
@juxyper
@juxyper 6 ай бұрын
The flatten example could very well easily extend to other iterables as well by passing an array of types instead of list maybe. Though it is painfully unreadable, but at the same time you just call it as a function that does things so why not
@freegametreeua
@freegametreeua 4 ай бұрын
4:20 Why do you use Callable (capitalized)? Why is it better to annotate everything using types from the typing module? Because I use plain build-in type classes (str, int, bool etc.), and it all works as expected. (I use python 3.12.1)
@Libertarian1208
@Libertarian1208 6 ай бұрын
Not relevant at this moment, but typing.Callable is deprecated (but will not be removed for a long time). The standard library docs use collections.abc.Callable for type annotations
@U53RN07F0UND
@U53RN07F0UND 6 ай бұрын
Yeah, it's an odd design decision. I'd much rather all of my typings come from a single import, especially one I use as much as Callable. It's slightly obnoxious to have to `from this.that.here.there import thing` every time you want to import a type.
@carnap355
@carnap355 5 ай бұрын
Yeah and callable isn't even a collection, and other stuff like optional is still in typing
@GaloisFan
@GaloisFan 5 ай бұрын
The greatest type annotation paradigm herald in the universe
@volodymyrchelnokov8175
@volodymyrchelnokov8175 5 ай бұрын
why would re.findall return a list[str | None] instead of just list[str]? An empty list is a perfectly valid list[str].
@knghtbrd
@knghtbrd 6 ай бұрын
Been watching for awhile now, and I've got to recommend Indently's courses, despite not having taken any of them (yet). Federico understands the material and presents it very well. Not only that, he's demonstrated that he's picking up new techniques and, very importantly, he leaves in his mistakes. Yes, those are both good things, because you're going to make the same kinds of mistakes (we all do), and because Guido himself doesn't know all the ways Python can be used creatively by devs. These things are why you have to learn by doing, and keep your mind open to learning new things as you go.
@Carberra
@Carberra 5 ай бұрын
Christ, you weren't kidding in that disclaimer 😅 Pretty impressive how much Python can do in only a single line though!
@Indently
@Indently 5 ай бұрын
I mean theoretically I think you can write a lot more, if not an entire program, on a single line, but keeping it within the 80 char line limit was my goal ahah
@WinfriedKastner
@WinfriedKastner 4 ай бұрын
I like the output of the short one liner import this :)
@rodrigoqteixeira
@rodrigoqteixeira 6 ай бұрын
That "noooo" was so unexpected.
@sidarthus8684
@sidarthus8684 5 ай бұрын
To get around the error in the flatten example you can do it the "old" way: from Typing import Any, TypeAlias new_type: TypeAlias = list[Any] # Passes type check var1: new_type = ["anything", 123, True] # Fails type check var2: new_type = {"hello", 321, False} This should still work in any version of python after 3.10, though it is officially depreciated after 3.12 in favor of the method you used in the video... Red lines bother me though, so :p
@ChristOfSteel
@ChristOfSteel 5 ай бұрын
Regarding the reversal of iterables. How does that actually work? My understanding of Iterables always was, that they do not need to terminate. Does the reversal of a non-terminating iterable give you another iterable, that never yields when as you call next on it?
@downlaw
@downlaw 5 ай бұрын
I work with databases a lot and I do a lot of data manipulation. Do you have any lessons for that? I like continuation.
@garnergc
@garnergc 5 ай бұрын
I remember seeing a reflex match phase that is over 200 characters long to be able to match 99.999% of email addresses due to the sheer complexity of getting all permutations of emails
@mebbaker42
@mebbaker42 6 ай бұрын
These are fun but you’re right on readability! Curious as to where you map your __main__ shortcut. Can you please share?
@Indently
@Indently 6 ай бұрын
In PyCharm they're called Live Templates, which can be found under the Editor tab in settings. Then just go to Python and have fun creating them :)
@mebbaker42
@mebbaker42 6 ай бұрын
@@Indently Awesome. Thanks so much! I get serious shortcut envy when watching your videos! Keep em coming!
@Rice0987
@Rice0987 5 ай бұрын
7:14 Why dont you use Ctrl to move faster? :)
@arb6t9
@arb6t9 5 ай бұрын
Thanks Sensei 😀
@DavideCanton
@DavideCanton 5 ай бұрын
Assigning lambdas is discouraged and even disallowed by most linters. The flatten example does not work on generic sequences, while it should.
@thirdeye4654
@thirdeye4654 5 ай бұрын
Regex is less painful than type annotations. :P By the way, a regex pattern using [A-Za-z0-9_] is just [\w]. I am also wondering who ever needs to reverse a string, is there a use case for it?
@rugvedmodak7436
@rugvedmodak7436 5 ай бұрын
As he mentioned, it works on any iterable and reversing a string is a common interview question for beginners (or at least used to be).
@mohanasundaram1686
@mohanasundaram1686 6 ай бұрын
As always .like your videos
@Fabian-ff4cq
@Fabian-ff4cq 6 ай бұрын
the flatten example is not very readable. I‘d call it bad code.
@Sinke_100
@Sinke_100 6 ай бұрын
I was acually most amazed with that one, even though I don't like reccursion
@rubenvanderark4960
@rubenvanderark4960 6 ай бұрын
0:08
@Sinke_100
@Sinke_100 6 ай бұрын
​@@rubenvanderark4960 if you have a clear indication of variable name, you don't need much readability in your function, especially for a small one like that. It's a beautiful piece of code
@Dunning_Kruger_Is__On_Youtube
@Dunning_Kruger_Is__On_Youtube 6 ай бұрын
You must have missed the beginning of the video.
@DrDeuteron
@DrDeuteron 6 ай бұрын
@@Sinke_100 "reccccccursion"...kinda ironic.
@bobby_ridge
@bobby_ridge 6 ай бұрын
I've been waiting for a new video for a long time) tell me, pls, how to resize the window in paycharm?(8:28)
@juschu85
@juschu85 6 ай бұрын
Python is such an intuitive language but I think conditional expressions are much more intuitive in other languages. Basically any other language I know uses [condition] [true case] [false case] while Python uses [true case] [condition] [false case]. That's just weird. Full if blocks also have the condition first.
@juxyper
@juxyper 6 ай бұрын
It's weird but syntactically sensible. When you are assigning things through a condition you kind of want to first of all see the typical result rather than the conditional statement itself. Your explanation is also valid, it's just how it is anyway
@Russet_Mantle
@Russet_Mantle 6 ай бұрын
Also in cases like "return a if condition else b", to make it parallel the syntax of full if blocks it really should be "return a if condition else return b" (more readable too). But I guess we can't have two return keywords in a single line
@DrDeuteron
@DrDeuteron 6 ай бұрын
It has to do with the "colon". Your preferred format would be: >>>if x: T else F so we have a statement with a colon and if it worked, hidden cyclomatic complexity of 2 >>>T if x else F is just an expression, with unit cyclomatic complexity. Python doesn't mix statements and expressions, which is why Guido said there will never be a ++n, n++ style operator in python. The walrus operator is really not pythonic. ofc, neither are type annotations.
@luma_haku
@luma_haku 5 ай бұрын
What is the extension to put all the space at the right place
@AAlgeria
@AAlgeria 5 ай бұрын
Just press tab
@kastore100
@kastore100 5 ай бұрын
Reversing and printing containts of an object print(*reversed(phrase),sep="")
@alexgghlebg5375
@alexgghlebg5375 6 ай бұрын
As someone who learned with C and then C++, I honestly think one-liners are bad code. Even my programming Python teacher in French college always forced us to use one-liners with lambda whenever possible... It's true that code can be written faster, but readability takes a hit. This is just my opinion, but code that is not clear as day to read is not good code. It needs to be rethought how this algorithm was implemented, even if the final code is 100 or 200 lines more than if you use one-liners.
@U53RN07F0UND
@U53RN07F0UND 6 ай бұрын
I agree with you for the most part, but like he said, readability is pretty subjective. I find the decision to use one-liners to be best left up to the time complexity reduction over the readibility index, like with comprehensions.
@carnap355
@carnap355 5 ай бұрын
​@@squishy-tomatowym by you can't name your function
@xXherbal1stXx
@xXherbal1stXx 2 ай бұрын
i always use this to print out list contents to the console if i want to check if everything is ok: print(*list, sep=' ')
@laytonjr6601
@laytonjr6601 6 ай бұрын
Do you know how the type annotations work with numpy arrays? I read the numpy documentations but I don't think I understood it correctly (exemple in replies)
@laytonjr6601
@laytonjr6601 6 ай бұрын
def f(a: float) -> float: ... arr: numpy.ndarray = ... print(f(arr[3])) PyCharm tells me that the function f accepts only floats but I gave it a numpy array instead (it runs correctly)
@vytah
@vytah 6 ай бұрын
​@@laytonjr6601Type annotations in Python have no effect at runtime
@Dunning_Kruger_Is__On_Youtube
@Dunning_Kruger_Is__On_Youtube 6 ай бұрын
Try google
@rugvedmodak7436
@rugvedmodak7436 5 ай бұрын
@@laytonjr6601 If I remember correctly, numpy array elements are lower dimention arrays. Eg 1D array will have 0D elements at least for type annotations. Also a tip, for less than 1000 elements, core python works faster than numpy unless you're using numba.
@bobdeadbeef
@bobdeadbeef 6 ай бұрын
These are por uses of lambda. Python's lambda is limited in both arguments and body, and leads to the need to use Callable on the variable. Just use def!
@U53RN07F0UND
@U53RN07F0UND 6 ай бұрын
Yeah, I was told that they are called anonymous functions for a reason, and that if I needed to name it, I should just write a regular function. I will make a named lambdas every once and a while though. I pretty much only every use lambdas as sort keys or in regexes.
@DrDeuteron
@DrDeuteron 6 ай бұрын
lambda are indeed for in-line work: filter(lambda.., ....), map, reduce, ....
@ahmedkhedr2631
@ahmedkhedr2631 5 ай бұрын
It's already a well known bad practice to assign a lambda (anonymous function) to a variable, this defeats the purpose of using an anonymous function
@bobdeadbeef
@bobdeadbeef 5 ай бұрын
@@ahmedkhedr2631 The situation is different in JavaScript & TypeScript! It's partly a historical glitch. Functions defined with 'function'-anonymous or not- have different behavior wrt the scoping of 'this', while the closer analogy to lambda (arrow functions) have the more modern behavior, but do not themselves have names. But if initially assigned to a variable, they their name from the variable, so they are not really anonymous in that context.
@ahmedkhedr2631
@ahmedkhedr2631 5 ай бұрын
@@bobdeadbeef Thank you for that info, I thought Python's conventions regarding lamdas were universal across all languages but seems not
@sloan00
@sloan00 5 ай бұрын
Creating a lambda function and assigning it directly to a variable is considered bad practice.
@rugvedmodak7436
@rugvedmodak7436 5 ай бұрын
You want it in nested for loop perhaps? or inside another lambda?
@juliusfucik4011
@juliusfucik4011 6 ай бұрын
I appreciate most of the examples. The flatten example is okay; completely unreadable code. I would write a separate normal function to do this and write explanation im the comments. But in reality, if you end up with that many nested lists, your problem is in data design and management. I would go back and look into that such that a flatten function is not even needed.
@DrDeuteron
@DrDeuteron 6 ай бұрын
and a decent implementation uses yield from, an uncommon but powerful python construction: def flat(cont): for item in cont: try: len(item): except TypeError: yield item else: yield from flat(item) The worst part was when he said that lists have a "dimension", that is a priori the wrong data model.....but sometimes, you don't write you input format, you're stuck with it....CCSDS I'm looking at you.....
@dazai826
@dazai826 5 ай бұрын
True if Expr else False is equivalent to just Expr
@NeoZondix
@NeoZondix 6 ай бұрын
Github link gives 404
@Indently
@Indently 6 ай бұрын
Thanks, I have fixed it!
@AbhijitGangoly
@AbhijitGangoly 5 ай бұрын
Don't know people who shout out "pythonic pythonic pythonic" and leaves the if __name__ == '__main__' check and opt for the "NON PYTHONIC" main() function. Python always encourage self descriptive name. The function main means nothing and you loose control over all global variables and class instances. If you want to test your module use __name__ check, it will never execute on import. If you really don't want your program to not have access to global space then give the method a self descriptive name instead of main().
@davidrusca2
@davidrusca2 5 ай бұрын
You know... readability is exactly why all that typing frustrates me.
@phidesx6099
@phidesx6099 4 ай бұрын
flatten with level control: -> list flatten = lambda obj, level=-1: sum((flatten(sub, level - 1) if level != 0 and isinstance(sub, (list, tuple)) else [sub] for sub in obj), []) flatten(obj) -> entirely flattened flatten(obj, level = 1) flattened to level t = (1, (2, (3, (4, 5), 6), 7), (8, 9)) flatten(t) -> [1, 2, 3, 4, 5, 6, 7, 8, 9] flatten(t, 1) -> [1, 2, (3, (4, 5), 6), 7, 8, 9] flatten(t, 2) -> [1, 2, 3, (4, 5), 6, 7, 8, 9] flatten(t, 3) -> [1, 2, 3, 4, 5, 6, 7, 8, 9]
@SRIKRISHNAV-o5b
@SRIKRISHNAV-o5b 6 ай бұрын
Why you do try videos on New Father 😂 of python.... .Mojo🔥
@ahmedkhedr2631
@ahmedkhedr2631 5 ай бұрын
nah we're good
@swolekhine
@swolekhine 6 ай бұрын
one-liner comment for the algorithm
@U53RN07F0UND
@U53RN07F0UND 6 ай бұрын
I appreciate that in the vast majority of your videos you use only pure Python. However, there is one third-party library I will always require, and that is regex. I don't know why, but Python has the absolute WORST flavor of regex known to man (i.e. re). The regex library fixes all of the flaws inherent in the default re library, and is on par, if not better than the ecma (JS) and pearl implementations.
@JDudeChannel
@JDudeChannel 6 ай бұрын
Why python users regard the shorter as the better code? It's sometimes really useless and has bad readability.
@Pawlo370
@Pawlo370 6 ай бұрын
Can I make this? if years_old > 25: info = "You can vote" elif years_old > 18: info = "You can drink beer" else: info = "You are kid"
@EdgarVerdi
@EdgarVerdi 6 ай бұрын
info = "You can vote" if years_old > 25 else ("You can drink beer" if years_old > 18 else "You are kid")
@Pawlo370
@Pawlo370 6 ай бұрын
@@EdgarVerdi thanks
@godwinv4838
@godwinv4838 6 ай бұрын
hello sir
@Indently
@Indently 6 ай бұрын
hello
@asboxi
@asboxi 6 ай бұрын
I would like to remark that the elvis solution, always execute the first part before the if. first_element = array[0] if len(array) > 0 else None (this could fail if array == [])
@RadChromeDude
@RadChromeDude 6 ай бұрын
even better first_element = array[0] if array else None
@DrDeuteron
@DrDeuteron 6 ай бұрын
@@RadChromeDude that works with array.array from the standard library, but will throw a ValueError for a numpy.ndarray.
@yalnisinfo
@yalnisinfo 6 ай бұрын
is it too early that i cant watch in full quality
@Indently
@Indently 6 ай бұрын
Apparently it says it will be available in 4K in 70 minutes, maybe they have a new system and have slowed down the upload speeds.
@Russet_Mantle
@Russet_Mantle 6 ай бұрын
my favorite one-liner won't even fit in this comment section 😂
@bobby_ridge
@bobby_ridge 6 ай бұрын
lmao, idk, что python может использовать лямбду для выполнения рекурсии
@DrDeuteron
@DrDeuteron 6 ай бұрын
Here's my one liner for creating a cyclomatic polynomial class instance (in 2x): cyclomatic = type('CyclotomicPolynomial', (object,), {'__call__': lambda self, n, x: self[n](x), '__getitem__’: lambda self, n: scipy.poly1d( map( scipy.real, reduce( scipy.polymul, [ scipy.poly1d( [1,0] )- scipy.exp(1j*(2*scipy.pi/n))**k for k in filter( lambda a: ( 2*sum( [ (k*n//a) for k in range(1,a) ] )+a+n-a*n)==1, range(1,n+1) ) ] ) ) ) } )()
5 Awful Python Mistakes To Avoid
22:13
Indently
Рет қаралды 28 М.
Python's 5 Worst Features
19:44
Indently
Рет қаралды 111 М.
How To Choose Mac N Cheese Date Night.. 🧀
00:58
Jojo Sim
Рет қаралды 95 МЛН
coco在求救? #小丑 #天使 #shorts
00:29
好人小丑
Рет қаралды 20 МЛН
Do you love Blackpink?🖤🩷
00:23
Karina
Рет қаралды 20 МЛН
Avoid These BAD Practices in Python OOP
24:42
ArjanCodes
Рет қаралды 74 М.
Please Master These 10 Python Functions…
22:17
Tech With Tim
Рет қаралды 217 М.
How To Use List Comprehension In Python
6:41
Taylor's Software
Рет қаралды 11 М.
10 Crazy Python Operators That I Rarely Use
11:37
Indently
Рет қаралды 43 М.
10 Nooby Mistakes Devs Often Make In Python
24:31
Indently
Рет қаралды 67 М.
How To Write Better Functions In Python
14:17
Indently
Рет қаралды 49 М.
Python Generators
15:32
mCoding
Рет қаралды 141 М.
5 Really Cool Python Functions
19:58
Indently
Рет қаралды 66 М.
5 Useful Dunder Methods In Python
16:10
Indently
Рет қаралды 63 М.
PLEASE Use These 5 Python Decorators
20:12
Tech With Tim
Рет қаралды 122 М.
How To Choose Mac N Cheese Date Night.. 🧀
00:58
Jojo Sim
Рет қаралды 95 МЛН