Тёмный
No video :(

Let's Take The Adapter Design Pattern To The Next Level 

ArjanCodes
Подписаться 245 тыс.
Просмотров 50 тыс.
50% 1

Опубликовано:

 

20 авг 2024

Поделиться:

Ссылка:

Скачать:

Готовим ссылку...

Добавить в:

Мой плейлист
Посмотреть позже
Комментарии : 93   
@ArjanCodes
@ArjanCodes 10 месяцев назад
💡 Get my FREE 7-step guide to help you consistently design great software: arjancodes.com/designguide.
@1984Contra
@1984Contra 2 года назад
I am a professional dev but I still enjoy listening to your videos, which I think speaks to your content and skill.
@pukkandan
@pukkandan 2 года назад
If you know for sure that a getter is all you'll ever need from Config, the functional approach is fine. But say in the future your need Experiment to have the ability to fetch nested items, or to modify the config. The Protocol can easily be extended to support these features. But for the getter, the code may need serious refactoring to accommodate these.
@baileysmooth
@baileysmooth 2 года назад
YAGNI?
@davidmoran4623
@davidmoran4623 2 года назад
You have revealed to me a new way to implement this pattern that I had not thought of using partial. Moreover, the explanation you make is very elegant.... I really like this channel because it talks about something different in python, a part that was not being talked about. I hope to talk about the algorithms in due course
@UNgineering
@UNgineering 2 года назад
Arjan, awesome tutorial as always. You can use CMD+D (CTRL+D on windows) to select multiple occurrences of a string in VS code. so you can modify them all at once :)
@traal
@traal 2 года назад
Or using the Vim emulation, use the * command to search for occurrences of the same word, use "n" and "N" to move between results, and then the dot "." command to repeat the last change. 😎
@TengTeerawat
@TengTeerawat Год назад
Actually, I love the pace you used. That makes a little space to think.
@CaptainCsaba
@CaptainCsaba 2 года назад
I never really understood why the naming convention for a BeautifulSoup object is 'soup' until this video. "bs" would decrease my productivity as I would always stop to giggle a bit each time I use it.
@agar.iodestiny8677
@agar.iodestiny8677 2 года назад
Wow, you got class, the new setup is amazing, keep it up!
@ArjanCodes
@ArjanCodes 2 года назад
Thanks - glad you like it!
@0ferchen
@0ferchen 2 года назад
Hi Arjan, you can use pathlib.Path(FILE).read_text() or pathlib.Path(FILE).read_bytes() to fetch the file contents without open. Thanks for your work!
@civfiveaddict8527
@civfiveaddict8527 2 года назад
I love that you use vim mode and it feels magical
@ChrisBNisbet
@ChrisBNisbet 2 года назад
Hmm, in the XML get() method you do "if not value return default". This should probably be "if value is None return default" because value could be 0 or "".
@ArjanCodes
@ArjanCodes 2 года назад
Good point, thanks for pointing that out!
@jfftck
@jfftck 2 года назад
I would argue that you might want a sentinel as even None could be a valid value and the default might not be the correct value still.
@eZwoodb1ne
@eZwoodb1ne Год назад
I swear your channel gave me more knowledge than 4 years of studying computer science
@ArjanCodes
@ArjanCodes Год назад
Thanks so much, glad the content is helpful!
@markervictor
@markervictor 2 года назад
You always explain the topics very understandable and excellent. I can get them even not knowing english well. Thanks for videos!
@thekishanpatel
@thekishanpatel 2 года назад
The Partial Function seems like a massive cheat code! Can't believe haven't been using this. Going to have to watch the other video.
@prestonfrasch9270
@prestonfrasch9270 Год назад
Thanks, Arjan! This helped me adapt a strategy based codebase to a function based web app. 😸
@ArjanCodes
@ArjanCodes Год назад
Thanks so much Preston, glad the content is helpful!
@frustbox
@frustbox 2 года назад
6:43 If you want some extra fun, you can name the function `__getitem__()` and have your adapter look and behave exactly like a dictionary. That way you won't have to do `self.config.get('data_path')` but could simplify to `self.config['data_path']`. The obvious caution here is that it's not actually a dictionary. One might get away with read-only data like key->value configuration objects, but I'd not use it for mutable data structures. You might get away with implementing the dunder methods for dictionaries, but it gets messy having a thing behave like a dictionary that isn't one. I'd probably not pick an adapter pattern at all but have a Builder/Factory that re-writes the data-structure on loading it from the config file and returns for example a dataclass. `def config_from_json(filename: str) -> dict: pass` and `def config_from_xml(filename: str) -> dict: pass` etc.
@ItsThoronath
@ItsThoronath 2 года назад
Great video and I love the new set! Glad to see some more videos about design patterns :) Just a quick note: The camera in the intro is not exactly parallel to the table. The table edge on the cameras left is a tiny bit lower than on the right.
@aflous
@aflous 2 года назад
That's an optical illusion 😅
@ItsThoronath
@ItsThoronath 2 года назад
@@aflous I thought so as well, but I couldn't let it go and measured it with a ruler 😄
@aflous
@aflous 2 года назад
@@ItsThoronath 🤣
@nnenad
@nnenad 2 года назад
Great video! It really shows the power of adapter pattern. Keep up the good work. I love the new studio - but please don’t cycle the color of the lights, it is quite distracting…
@ArjanCodes
@ArjanCodes 2 года назад
Thanks! I have a few more intros with the changing color, but I’ll switch to a calmer background for the next videos.
@vasilijestosic8331
@vasilijestosic8331 2 года назад
Changing background light is moving focus from the content to it. I hope this feedback will be useful. 🤞 Besides that, very good video, keep rolling to the 💯k 💪
@MattHuisman
@MattHuisman 2 года назад
Experiment expects Config type. Your XMLConfig is not... Shouldn't XMLConfig inherit Config? Also, we should expect that you can't change Experiment. Eg. It's a third party module And how do you get the play button and terminal output in a vs code tab?
@MarvinSchenkel
@MarvinSchenkel 2 года назад
I was just wondering the same thing about the Config vs XMLConfig. Mypy would complain about this approach right?
@ArjanCodes
@ArjanCodes 2 года назад
Config is a Protocol class and protocols in Python rely on structural typing (duck typing). This means there doesn't need to be an inheritance relationship, Python determines at runtime whether the structures of the objects match. This is different from when you use an ABC (Abstract base class). In this case, you do need to inherit. The idea of the example is that Experiment is something that you wrote, but that you can't easily change a third-party library like BeautifulSoup. Therefore, you need to write an adapter layer between BeautifulSoup and your Experiment class.
@WojciechStudio
@WojciechStudio 2 года назад
Hi Arjan, another great video. Thanks! How about doing some DDD with Python examples? I think there’s too little such tutorials.
@EW-mb1ih
@EW-mb1ih 2 года назад
Nice video! I would love to see a video comparing bridge and adapter design pattern :)
@chriswunder5420
@chriswunder5420 Год назад
another greate video! I didn't know you could create class diagrams like this. I hope I'll find this in the PyCharm IDE.
@ArjanCodes
@ArjanCodes Год назад
Thanks for the suggestions Chris, I've put it on the list.
@user-fs5nx7bx3t
@user-fs5nx7bx3t 2 года назад
Just when I thought weekend is beginning 🎉
@climentea
@climentea 2 года назад
Top notch video and content!
@ArjanCodes
@ArjanCodes 2 года назад
Thank you - glad you liked it!
@aditya_marathe
@aditya_marathe 2 года назад
Hi, Arjan. Great video! Just had a quick question - what is the difference between the adapter pattern and the strategy pattern? Thanks in advance!
@ArjanCodes
@ArjanCodes 2 года назад
Thank you! The difference is that the goal of Strategy is to be able to change the behavior of an algorithm without having to change the code that uses the algorithm, whereas the goal of Adapter is to adapt an existing piece of code (traditionally, a class) so that it can be used with another piece of code.
@antecavlina8897
@antecavlina8897 2 года назад
Hey Arjan, i like that video as all your other stuff :) would it be wrong or "bad" style to move file open and bs instantiation in adapter XMLConfig? for e.g. i would do in main only path_to_cfg = pathlib.Path.cwd() / "config.xml" adapter = XMLConfig(path_to_config) and then adapter be a dataclass where in __post_init__ i would do with open(file... and s.bs = BeautifulSoup... and finally i would also create a JSONConfig adapter with the slight changes in regards of the json file handling
@yaroslavdon
@yaroslavdon 2 года назад
Interesting topic as always. A small suggestion: don't delete, change and then revert lines to the original ones. It was rather distracting when you changed the configuration from json to xml and back several times in the video. Maybe it's better to use a flag or a factory to switch between both cases.
@k98killer
@k98killer 2 года назад
Instead of using a partial function, you could also use a simple factory that returns a function. Pylance understands that better and maintains the type hints.
@mikeciul8599
@mikeciul8599 Год назад
I was thinking the same thing. I use that quite a lot.
@user-fs5nx7bx3t
@user-fs5nx7bx3t 2 года назад
Informative Video. I sensesd camera angle when you are seating on couch looks different..it broke the overall flow of viewing video and was clearly noticeable. I am not sure if it was intentional.
@Han-ve8uh
@Han-ve8uh 2 года назад
14:44 You mentioned we change the meaning of that get method and other things that depend on beautiful soup might not work anymore. I don't understand why other things calling bs.get won't work? From XMLConfig(BeautifulSoup), even if XMLConfig implements a get(), if other code is calling BeautifulSoup's get(), that should trigger bs's implementation of get() right? BeautifulSoup's get behaviour won't be influenced by XMLConfig's get behaviour if the other code is calling get from an instance of beautifulsoup instead of XMLConfig. More generally, the child class (XMLConfig) can override a parent class (BeautifulSoup) method (get) but if the caller is calling on the parent class, it will behave as implemented in the parent class right? Other feedback: When explaining the mermaid diagram, could you link it to which files/functions in the rest of the video is the interface, operation, adapter, adaptee? It's extra cognitive load to a learner who isn't familiar with UML or adapter patterns to relate the mermaid diagram to the rest of the demo.
@Gokuroro
@Gokuroro 2 года назад
Came here for this. I didn't understand how the XMLConfig class could impact in any way its parent's behavior. If a user uses the XMLConfig class to try and implement BS then it's their fault.
@ArjanCodes
@ArjanCodes 2 года назад
The thing is that if you create a subclass and override a method’s implementation, polymorphism comes into play. If another method in BeautifulSoup calls its get method and you have overridden it, then the overridden version will be called due to polymorphism. Also, if you pass an XMLConfig object to something else that expects a BeautifulSoup object and that then calls the get method, the overridden version will be called also due to polymorphism. In any case, it’s a bad idea to mix behavior from the original BS class and the Adapter. Composition is a much cleaner solution that doesn’t have these problems.
@Han-ve8uh
@Han-ve8uh 2 года назад
@@ArjanCodes Below code block is my understanding, you seem to be saying the last print will return child too? I can't see the issue with overriding a method from the parent in the child, as long as the user of these classes knows clearly which of the 2 prints they want to call. # BeautifulSoup is parent # XMLConfig is child class parent: def get(self): return "parent" class child(parent): def get(self): return "child" print(child().get()) # returns child print(parent().get()) # returns parent, not affected by child overriding get
@ArjanCodes
@ArjanCodes 2 года назад
What I mean is this: class parent: def another_method(self): print(f"Calling self.get: {self.get()}") def get(self): return "parent" class child(parent): def get(self): return "child" print(child().another_method()) This prints ""Calling self.get: child". The problem is that another_method from the parent class doesn't know anything about there being a subclass. So it's very well possible that calling another_method results in an error, even though we didn't change that method. This is an example of a Liskov substitution principle violation. In the subclass, the contract of the get method is changed, potentially breaking other things. To go back to the BeautifulSoup case: it's possible that the get method of BeautifulSoup is called from elsewhere in the class. By overriding the get method and changing it, we introduce potential errors.
@vitorbuxbaumorlandi6442
@vitorbuxbaumorlandi6442 2 года назад
The video I needed
@ArjanCodes
@ArjanCodes 2 года назад
Happy to deliver ;).
@paul_devos
@paul_devos 2 года назад
Very interesting. I would have thought/expected to have some sort of "conformity" with the adapter to take in an XML or JSON and then henceforward "normalize" the methods and values returned (e.g. key with value) vs having to change from "get" to "load" within the experiment file. I was thinking the "middle layer" (Adapter?) might possible be a function, class, or object (object was my main guess) that would be in a separate file and then would be imported into the experiment.py file. Is that a different pattern or just me creating a babbling mess of another way to do things? I am thinking of building a web scraper. Which would have two main interfaces. One for the scrapers and another for the destinations for persistence. Focusing on the location interface, e.g. AWS S3 bucket, Postres [local or AWS], or Local file directory. The user would just have to supply the "destination" in the scrape settings file (e.g. settings.py), e.g. data.destination('Postgres') and the credentials in the respective file, e.g. config.py (or Hydra, like your XML example) -- which then would handle it all "upstream"... to the scrape.py file which has a method load_data('Postgres') on the scrape object. Although, maybe that creates an unnatural depencency and should be a function that I "inject" (use) on the scrape object.
@floriansalihovic3697
@floriansalihovic3697 2 года назад
The common problem with tutorials and educational content on design patterns is usually that the problem statements are too trivial. Ending up with a `Callable` as a dependency in such a video is elegant, but the general problem statement which requires an adapter is usually a whole different beast. The adapter is usually the second step after an interface was already established and there is a clear line drawn between producers and consumers of data. The adaptees though can be systems of any size with a small adapter ensuring compatibility with the target system. To apply this to your scraper: you should think of the interfaces: 1. One for the scrapers 2. One for defining the interface for the persistence layer 3. One for defining the persistence providers You could get along with two and simply use a factory instead of a provider. With the third interface you could define and interface for types though that test for certain pre-conditions and depend on different other libraries. Especially if you use different projects for the persistence layers that can be really useful. You’d have one interface project and different persistence implementations each living in their own project simply linked by your build tool. This may seem a bit over the top but actually makes the effort pay off. Just some thoughts.
@paul_devos
@paul_devos 2 года назад
​ @Florian Salihovic I must say. I really appreciate your thoughts. Definitely agree on the examples used to teach (and to convince) others to use Design Patterns are often trivial examples. I think even even having better talking about "how" and "what" would be much better than the examples used. I appreciate the comments... I will need to look more into the Provider pattern. Admittedly, I've mostly just relied on fairly heavy Inheritance and Factory method. The interfaces all make sense to me. The toughest part has always been separation of concerns and actually the expression of the methods to the user via the class where they don't have to go beyond the base data structures in Python as values within the class. If curious... I think this is where I'm headed... 1. Header Attributes (needed to get data): They can't be Python Class attributes because the names have hyphens, e.g. "user-agent" and "cross-origin-resource-policy". I could probably define them as attributes w/o hyphens, then do a method to return a key-value with the hyphens in the name -- but that's extra work for little gain. So this has to be a dictionary to enable the keys to have the right names for the Header that the API is looking for. Interface is, do I leave this as an importable dictionary with defaults for user to import and then they put into the Class that requests the API data [Interface #2]. I'm leaning towards just making the dictionary a default in the Class request from the API. But also making a separate module the user can import, update the default dict and then put that into the request obj. class GetAPIData: def __init__(self, headers = None, ...) self.headers = headers if headers else DEFAULT_HEADER # imported into file So if they want a mutable version they can import the DEFAULT_HEADER, then update a Key-value, rename it to NEW_HEADER Then... data = GetAPIData(..., headers=NEW_HEADER) # 2. Data Request Object (probably the main class) e.g. GetAPIData Class GetAPIData # would be several of these, the api_params would be different for each, but same header def __init__( self, IsOnlyCurrentSeason=0, LeagueID="00", Season="2021-22", headers=None, ) -> None: self.headers = headers if headers else {} self.IsOnlyCurrentSeason = IsOnlyCurrentSeason # these are case sensitive self.LeagueID = LeagueID self.Season = Season 3. Persistence Choices, e.g. to_csv, to_json, to_sql, to_s3 These likely would be a dependency injection method of using another class PushData and within it, the user has to define the credentials in a config.py file and then can call the method on the Data object (#2). e.g. data.save_data("sql") or keep them all like Pandas methods... data.to_sql() data.to_csv() ... ... This could still be a class as there's over 100 APIs and each of them would like/need these persistence methods. I could probably inherit Pandas Dataframe and then only have to build out the AWS_S3 and GoogleDrive ones (which would be rarely used by comparison).
@nateriver8261
@nateriver8261 2 года назад
Can you make a video about Proxy vs Decorator patterns
@ndwar2309
@ndwar2309 2 года назад
Great video, thank you for your job. But do you really need that union between Any and None? I mean Any type includes None by default
@jfftck
@jfftck 2 года назад
The functional approach for XMLAdapter could have been simplified using a closure and the type hints would work.
@ra2enjoyer708
@ra2enjoyer708 2 года назад
But then it wouldn't be a real functional approach.
@atomspalter2090
@atomspalter2090 2 года назад
nice
@ArjanCodes
@ArjanCodes 2 года назад
Thank you!
@mauisam1
@mauisam1 2 года назад
As usual you push me to think real hard (which is a good thing) and I'll have to watch this again. So thank you again, thumbs (#16) up great video. I usually get in a situations where I don't know whether the input would be json or xml. So how would you write this code to except either a json or a xml config file?
@WalterVos
@WalterVos 2 года назад
Check for type, perhaps?
@prathit3082
@prathit3082 2 года назад
Great video ! Could you please share your pylintrc file if possible or if there is any generic format you use for the same ? Thanks in advance !
@nickeldan
@nickeldan 2 года назад
What's the purpose of "| None" in the return type of "get"? Isn't that included in the "Any"?
@mikeciul8599
@mikeciul8599 Год назад
I've never seen pipe in type hints before. What versions of Python support that? Is it better than using Union or Optional? And doesn't Any include None already?
@Tferdz
@Tferdz 2 года назад
Any | None versus Optional[Any]. Dunno why but I prefer the latter even though is the same thing.
@grmancool
@grmancool 2 года назад
I still can't get over the fact that the library is named beautiful soup
@mariuz-xn9pi
@mariuz-xn9pi 2 года назад
As far as i understand the Config class that inherits from Protocol is just for type checking? Would it be possible to to make this class not inherit from protocoll and instead make it an abstract class (inheriting from ABC with @abstractclass decorator)? If not it would be nice if you could explain why :)
@ArjanCodes
@ArjanCodes 2 года назад
Either ABC or Protocol works. However, Protocols rely on structural typing (duck typing), so there is no inheritance relationship (the XMLConfig class doesn’t inherit from the protocol).
@oliverschneidewind5503
@oliverschneidewind5503 2 года назад
Good video as always, but I don't think a dictionary is a good parameter to pass a configuration in a real product. But I understand why you chose a dictionary for the example. However, my suggestion would be better to choose a dataclass for the configuration. With the dictionary you always have to reckon with the fact that not all keys are available. The data class cannot be created if it is incomplete. I like to do this with a classmethod, which makes a class out of the dictionary or throws an exception, then it ensures that after construction everything needed will be there.
@talhaibnemahmud
@talhaibnemahmud 2 года назад
Do I need to write 'Any | None'? 🤔 Doesn't 'Any' means anything including None?
@dennisvlahos
@dennisvlahos 2 года назад
Any technically includes None, but it makes logical sense to explicitly differentiate between the two. Because in a natural language, "any" implies something that exists rather than nothing (which is what None is supposed to represent).
@aflous
@aflous 2 года назад
@@dennisvlahos not quite correct. 'typing.Any | None' is equivalent to 'typing.Optional[Any]=None' since python 3.10. The addition here is to take into account the default value defined as None. Note that according to PEP-0484: "When used in a type hint, the expression None is considered equivalent to type(None)"
@dennisvlahos
@dennisvlahos 2 года назад
@@aflous yes, you mean Optional[Any] = None
@MrSpikegee
@MrSpikegee 2 года назад
« Something exist rather than nothing ». That’s philosophical dude.
@stints
@stints 2 года назад
Couldn't the "get_from_bs" return a function itself? I'm guessing at that point it's kinda somewhere between a partial and a class.
@jfftck
@jfftck 2 года назад
That would be a closure.
@walis85300
@walis85300 2 года назад
What is the vscode plugin that you use for UML?
@ArjanCodes
@ArjanCodes 2 года назад
It's "Markdown Preview Mermaid Support"
@PiotrMarkiewicz
@PiotrMarkiewicz 2 года назад
Why not use closure instead of partial? You will have proper function signature
@markbonnet2121
@markbonnet2121 2 года назад
This pattern seems silly. You need to know how the "client" uses what's being passed in order to make a usable Adapter, making the code more coupled in the end. This pattern is fine for something as trivial as the video's example, but anything else beyond a "get" is problematic. Your client needs X? Convert your Y to a real X. That's the only safe way.
@ArjanCodes
@ArjanCodes 2 года назад
What is a ‘real X’? You’re thinking too much in terms of passing data. The Adapter pattern is a class with methods (in this example there’s only a single method). It’s much more about mapping behavior than mapping data. The ‘real X’ is anything that implements the Protocol. This abstraction is what makes the pattern powerful.
@markbonnet2121
@markbonnet2121 2 года назад
@@ArjanCodes It comes down to how much control you have over the client. If you're in control of the client's code, then you're free to define it to accept something abstract via Protocol or whatnot. If you're re-using someone else's work, you likely don't have that option; you have a defined interface and have to live by it. My own experience emphasizes the latter case, which admittedly may differ from your operating assumptions in this video. I'm new to Python, so excuse my naivete: How would the example code in the video behave if a member of Experiment did something like `for key, val in self.config:` ?
@harshraj22_
@harshraj22_ 2 года назад
I had the same question as Mark. Instead of sending the object, why not have one more method in the class that returns a dict, and pass the returned dict to the Experiment class ?
@MrSpikegee
@MrSpikegee 2 года назад
(Irony) Yeah pass a dict around that’s the « only safe » way so that a client can do what the fk it wants with it. Contracts and types are what separates order and maintainability from otherwise inextricable shit that even the culprit will not be able to read easily after the crime.
@augustovanderley
@augustovanderley 2 года назад
I agree with you Mark. It seems to make the code more coupled. Furthermore, passing a config.get as argument is not as clean as just passing a config.
@carlesmolins3269
@carlesmolins3269 Год назад
For the functional approach you could also use a closure, right? Something like def generate_xml_getter(bs): def xml_getter(key): # here we use bs normally … return xml_getter
@ratchet2010b
@ratchet2010b 10 месяцев назад
Yeah, I have the same question. I see that there are no responses to your comment - did you have any confirmation if closure can be applied instead of partial functions?
@richard1598
@richard1598 2 года назад
Why not just using ``` @dataclass class ExperimentConfig: # ... the_parameters @staticmethod def from_xml(...) -> Self: ... @staticmethod def from_whatever(...) -> Self: .... ```
@floriansalihovic3697
@floriansalihovic3697 2 года назад
Because that would require the class to care about a lot of things. It would be better to define the config as class and have different providers which take care of the correct loading and mapping of fields.
Далее
The Power Of The Plugin Architecture In Python
24:06
Просмотров 112 тыс.
5 Tips To Achieve Low Coupling In Your Python Code
18:30
Dependency Injection, The Best Pattern
13:16
Просмотров 797 тыс.
Why Use Design Patterns When Python Has Functions?
23:23
Protocols vs ABCs in Python - When to Use Which One?
15:31
Design Patterns in Python by Peter Ullrich
27:31
Просмотров 132 тыс.
8 Design Patterns EVERY Developer Should Know
9:47
Design Patterns: Factories
25:26
Просмотров 54 тыс.