UPDATE 12/15/2008: I committed a change yesterday that changes the behavior of the .with method to use DELEGATE_FIRST as the resolveStrategy instead of OWNER_FIRST. If you are not sure what that means, you should by the end of this post.
Strange enough title.
Let's start with a hypothetical conversation between a geeky developer and his much less geeky wife:
Jeff: Betsy, how are you?
Betsy: I am fine thanks. How are you?
Jeff: Betsy, I am fine thank you.
Betsy: Great.
Jeff: Betsy, you know my birthday is the day after tomorrow right?
Betsy: Yes, I haven't forgotten. You mention it about 9 times a day you know.
Jeff: Betsy, yes I know. Are we going to have an ice cream cake?
Betsy: Yes, I think that would be good.
Jeff: Betsy, are you going to buy me the new Opeth DVD?
Betsy: I will get it for you but that music sucks big time.
Jeff: Betsy, that is awesome. Thank you.
Betsy: Why do you keep saying "Betsy" at the beginning of every sentence?
Jeff: Betsy, I guess I am used to inflexible languages which aren't very expressive.
Um, what does any of that have to do with Groovy? Well, lets talk about the problem with this conversation (aside from the lady's lack of appreciation for Swedish heavy metal). What is wrong is Jeff begins each sentence with "Betsy". Why might he do that? One reason is so Betsy knows that he is talking to her. Clearly this isn't necessary. It isn't necessary because she already knows he is talking to her. A context has been established which makes the addressing unnecessary. Jeff began the conversation by addressing Betsy, they probably made eye contact and were in close proximity. Once the conversation started, there isn't much question about who each sentence is being directed to.
Again, what does any of that have to do with Groovy? Lets press on...
Consider the following Java code which prints out a specific date.
// PrintIndependenceDay.java
import java.util.Calendar;
import java.util.Date;
public class PrintIndependenceDay {
public static void main(String[] args) {
Calendar calendar = Calendar.getInstance();
calendar.clear();
calendar.set(Calendar.MONTH, Calendar.JULY);
calendar.set(Calendar.DATE, 4);
calendar.set(Calendar.YEAR, 1776);
Date time = calendar.getTime();
System.out.println(time);
}
}
Groovy developers can look at that and find quite a bit of noise that doesn't really have anything to do with what the code is trying to do but I want to focus on one specific thing. That one thing is all of the interaction with the calendar variable. Notice that we call clear() on the calendar, then call set() several times and later call getTime() on that same variable. All of those calls are prefixed with "calendar." so the compiler knows what we want to do. If we called "clear()" instead of "calendar.clear()", what would that mean? Are we calling the clear() method in this class? If that was our intent, it would not work because there is no clear() method. We have to prefix the call with an object reference so the compiler knows where to send the request. That seems to make sense. However, if we are going to do a bunch of things "with" the same object, wouldn't it be kind of nice if we could somehow do all of those things without all the repetition. Specifically, it might be nice if we could get rid of all of those "calendar." prefixes.
On to Groovy...
The following Groovy code does the same thing that the Java code above does.
// PrintIndependenceDay.groovy
def calendar = Calendar.instance
calendar.with {
clear()
set MONTH, JULY
set DATE, 4
set YEAR, 1776
println time
}
Wow. That is a good bit cleaner than what we started with. Part of the reason for that is we were able to get rid of all of those "calendar." prefixes. What allowed us to do that is calling the "with" method on the calendar object and passing a closure as an argument. What we have done there is establish a context that says "do all of this stuff with this calendar object". When the closure executes, the calendar is given an opportunity to respond to method calls like clear() and set() and the implicit call to getTime() when referring to the "time" property which is being passed to println. Likewise, the references to MONTH, JULY, DATE and YEAR properties are also being handled by the calendar object.
That is pretty slick. Lets dig just a little deeper to get a little better understanding of what is really going on.
Groovy closures have a delegate associated with them. The delegate is given an opportunity to respond to method calls which happen inside of the closure. Here is a simple example:
// define a closure
def myClosure = {
// call a method that does not exist
append 'Jeff'
append ' was here.'
}
// assign a delegate to the closure
def sb = new StringBuffer()
myClosure.delegate = sb
// execute the closure
myClosure()
assert 'Jeff was here.' == sb.toString()
When the closure is executed, those calls to append() in the closure end up being sent to the delegate, the StringBuffer in this case.
Something similar is happening in the Groovy calendar code above. A closure is being passed to the with() method. That closure is calling methods like set() and getTime() which don't really exist in that context. The reason those calls don't fail is the with() method is assigning a delegate to the closure before it is executed. The delegate being assigned is the object that the with() method was invoked on. In the calendar example, the delegate is the calendar object. Something like this is happening...
def closure = {
clear()
set MONTH, JULY
set DATE, 4
set YEAR, 1776
println time
}
def calendar = Calendar.instance
closure.delegate = calendar
closure()
This code does the same thing as the first Groovy example. Obviously the first one is cleaner.
I sort of lied a bit, or at least left out a detail that may be significant. The closure that is being passed to the with() method is really being cloned and it is the clone that is assigned the delegate and executed. This is a safer approach than monkeying with the original closure. If the reasons for that aren't clear, the explanation is another story.
Another bit of info that is missing here is the strategy that a closure uses to decide when to send method calls to the delegate. Each Groovy closure has a resolveStrategy associated with it. This property determines how/if the delegate comes in to play. The 4 possible values for the resolveStrategy are OWNER_FIRST, DELEGATE_FIRST, OWNER_ONLY and DELEGATE_ONLY (all constants defined in groovy.lang.Closure). The default is OWNER_FIRST. Consider the owner to be the "this" wherever the closure is defined. Here is a simple example...
class ResolutionTest {
def append(arg) {
println "you called the append method and passed ${arg}"
}
def doIt() {
def closure = {
append 'Jeff was here.'
}
def buffer = new StringBuffer()
closure.delegate = buffer
// the append method in this ResolutionTest
// will be called because resolveStrategy is
// OWNER_FIRST (the default)
closure()
// give the delegate first crack at method
// calls made inside the closure
closure.resolveStrategy = Closure.DELEGATE_FIRST
// the append method on buffer will
// be called because the delegate gets
// first crack at the call to append()
closure()
}
static void main(String[] a) {
new ResolutionTest().doIt()
}
}
So you see how the with() method helps establish a context where a bunch of things may happen "with" a specific object without having to refer to that object over and over. This can help clean up code like the Java code we started with. This approach can also be really useful when building a domain specific language in Groovy, a topic for another time.
Enjoy! :)
120 comments:
This is great information and funny as heck!
Jeff, great post thanks.
Jeff, really enjoyed it.
Good stuff, Jeff. And Opeth Rocks btw :-) Gonna see them next week in Amsterdam.
robpatrick: Funny! Thanks.
ronald: Thanks. I hope you enjoy the show. I saw them most recently a few weeks ago here in St. Louis. Good stuff!
NEWS FLASH: Jeff Brown shows Matt Taylor yet another Groovy language feature he can no longer live without.
I find this kind of programming very intuitive. Ruby 1.9 introduces a new method to the Object class called instance_exec which allows you to do this same kind of thing. I abhor typing so I think with is a better method name than instance_exec. *sigh*
Mario:
Try this:
class Object
def with(&b)
self.instance_exec(&b)
end
end
Darn it, . . . ;-) now I have to go back and simply some of my code.
Very Nice!
Thanks for the tip
Jim
Nice one Jeff. I have never used with() in groovy to this day. I knew it was there but... thought there were some issues with scoping.
Anyway, all I can say is LONG LIVE PASCAL man. Groovy rocks, but Pascal is the daddy. Pascal had "with" back in the 80s!
...and Pascal sets and ranges are still superior to anything we have these days... except perhaps the limit to 32/64bit range/members on the sets and ranges eh :)
Right I'm off to write a dynamic version of Delphi. We could call it Dynamic Pascal. Or Dyphi. Or Daphne.
That is a nice example, also gave me a better understanding of Closures. I admit I have been just using them without understanding much. I know I have dealt with this in Java by using return values, if the method (particularly a setter) returns void, have it return the object it refers to. Makes the code cleaner, but will not help with the other 99.99999% of Java code that has already been written. Sigh makes me wish to use Groovy in my development work more. Need to work on getting Eclipse PDE working better with Groovy so that I can.
Also be nice to get some IDE support for this, thanks for the article you got my brain cells charged and running.
Nah, I still think the major problem is the lack of appreciation of Swedish metal. ;)
Jeff, I thought your post was going to solve my dilemma, but it didn't help. I'm trying to figure out how to access "this" at evaluation time, not closure creation time.
For example, I create a dynamic getter and setter by adding them to the metaClass. But when the getter or setter is evaluated, I can't access fields of the object whose property is being accessed, because "this" was locked down when the closure was first created.
If this doesn't make sense, there's a thread named Combining evaluate with MOP on the groovy-user mailing list where I've posted broken code. :-)
I sure could use a solution to this. I'm confident I'm doing something wrong. I just don't know how to fix it.
BTW, I enjoyed your presentation last time you were at Atlanta JUG.
Thanks for this post.
I've just tried
someobject.with { myclosure() }
where 'myclosure' tried to call methods of 'someobject' and it didn't work.
But with
myclosure.delegate = someobject
myclosure()
it does. This is awesome.
Sun Java is one of the most flexible platform for application development Sun Java development gives the way to develop complex applicaton development.
hahah the conversation kills me xD!
It's like a conversation between, php and oracle... who can understand that, because like the guy there's not point in saying a name at the begining of every sentence ? now there's any kind of logic of doing it ? what you think ?
Great post, I'm definitely going to start using the with() method more in my Groovy code.
P.S. The new Opeth DVD (Royal Albert Hall) is excellent ;-)
Jeff, there is also an identity closure that people used for setters and so on for objects. What is the difference between with and identity. Thankss
Thanks for your article, quite useful piece of writing.
Thanks for your post, I like this post very much.
This is one of the most incredible blogs I have read in a very long time. Your blog is great for anyone who wants to understand this subject more. Great stuff.
Brochure Design
WAO its totally indifferent i'm so impressed the way you presented this
Great tips, many thanks for sharing. I have printed and will stick on the wall! I like this blog.
This is one of the most incredible blogs I have read in a very long time. Your blog is great for anyone who wants to understand this subject more. Great stuff; please keep it up!
Thanks for your marvelous posting! I actually enjoyed reading it, you will be a great author.I will ensure that I bookmark your blog and will come back in the foreseeable future. I want to encourage that you continue your great job, have a nice weekend!think you’ve made some truly interesting points
nice to see it thanks for sharing it
I am very happy to be here because this is a very good site that provides lots of information about the topics covered in depth.
Great information & Funny,I like this Blog,thanks for sharing.
Absolutely fantastic topic! Great blog. Thanks for taking the time and writing this
[url=http://www.gatorsportsnation.com]floridagator forum[/www.gatorsportsnation.com]
I am speechless after seeing these pictures! I love them all! I teach kindergarten and I'm going to make a theme, and photographs have given me so many ideas! You are so talented! Thanks!
You will be missed.The one place where as a venue and fan I could search by what ever perimeters I chose .Good Luck with your future endeavors.
I am speechless after seeing these pictures! I love them all! I teach kindergarten and I'm going to make a theme, and
photographs have given me so many ideas! You are so talented! Thanks!
Your web site is nice really, I actually have seen your post which was terribly informative and extremely entertaining on behalf of me. Thanks for posting extremely Such Things. I ought to suggest your web site to my friends. Cheers.
) Ecorptrainings.com provides GROOVY in hyderabad with best faculties on real time projects. We give the best online trainingamong the GROOVY in Hyderabad. Classroom Training in Hyderabad India
Always so interesting to visit your site.What a great info, thank you for sharing. this will help me so much in my learning.custom logo design service
This blog is very useful information for me and guidance.support in dissertation , thesis provider , writing service , pay for accounting help , uk university , written papers
What could be better than having some extra cash when traveling? A payday loan site comes in handy for instant no credit approval and for a loan of upto $1500.
http://www.paydaycashloansnow.com/
What could be better than having some extra cash when traveling? A payday loan site comes in handy for instant no credit approval and for a loan of upto $1500.
PAYDAY LOAN
@Marc Palmer: Thank you! I thought I was going crazy, because I was certain that there was a with token in Java, but I must have been remembering my Pascal/Delphi days! I remember spending $55 at the University bookstore for a copy of Turbo Pascal and developing console applications. I didn't have the $80 for Turbo Pascal for Windows, which came out within a few weeks of me buying my copy of Turbo Pascal. LOL
Good work thanks for sharing really appreciate.
This is great information provided blogspot
SAP Successfactors Online Training
Get SAP Successfactors Online Training by Certified consultant from India. Enroll for Expert level Instructor Led Online SAP SuccessFactors Training. Apply today!
We are offering Dell Boomi Online Training with latest techniques. Our experts have more than 8 years experienced and certified.
Dell Boomi Online Training
nice blog
Online training SAP Hybris
We are offering Dell Boomi Online Training with latest techniques. Our experts have more than 8 years experienced and certified.
Dell Boomi Online Training
Interesting article......We provide the cool gadgets...for more detail click here Cool Gadgets | Electronics Gadgets | Latest Technology
Good content in this post and site. We need more fresh and good content like this. Thanks for giving such a wonderful article...........
R12 SCM Training
This post is very informative for everybody. I would like to appreciate your work for good
accuracy and got informative knowledge from here. Nice effort, very informative, this will
help me to complete my task. Thanks for share it keep it up.
from
Oracle Fusion HCM Online Training
we have almost all country students as our subscribers for online course.We have 10+ years of experience we can serve various ascent people. oracle fusion Cloud HCM online training at erptree.com is worlds best online training center. we have excelent knowledge sharing Platform we have user friendly website where you will be provided with all the required details and Self-paced DEMO videos. we have our branches in pune, gurgaon, noida, india, usa, uk, uae, oracle fusion hcm training, fusion Procurement training, fusion hcm, scm training.
Oracle fusion HCM Online Training
Oracle Fusion HCM Training
I agree with this article completely, I must thank you for posting such helpful facts
IgoFusion
Very good information.
Mobile repairing
training
Best blog .
Laptop repairing
training in hyderabad
This is just the kind of information that I had been looking for a long time..............................Search for Oracle Project Accounting Training Institute details in our local search engine Calfre.
I am really enjoying reading your well-written articles. It looks like you spend a lot of effort and time on your blog. I have bookmarked it and I am looking forward to reading new articles. Keep up the good work.
Oracle Financials Training in Hyderabad
Thanks for sharing this valuable information to our vision.
Pretty article! I found some useful information in your blog, it was awesome to read, thanks for sharing this great content to my vision, keep sharing.
Oracle Fusion SCM Training
read online info.
Thanks for such a great article here. I was searching for something like this for quite a long time and at last, I’ve found it on your blog.thanks for sharing
honor mobile service centre in Chennai
honor service center near me
honor service
honor service centres in chennai
honor service center velachery
honor service center in vadapalani
This is most informative and also this post most user friendly and super navigation to all posts... Thank you so much for giving this information to me..
lenovo mobile service centre in chennai
lenovo service center in velachery
lenovo service center in porur
lenovo service center in vadapalani
You have provided an nice article....Thanks for sharing..
Java Training | Java Training Institute | Java Training in Chennai | Java Training Institute in Chennai
Tableau Training | Tableau Course | Tableau Training in Chennai | Tableau Course in Chennai
Wow !! Really a nice Article. Thank you so much for your efforts. Definitely, it will be helpful for others. I would like to follow your blog. Share more like this. Thanks Again
redmi service center in velachery
redmi service center in t nagar
redmi service center in vadapalani
Amazing article. Your blog helped me to improve myself in many ways thanks for sharing this kind of wonderful informative blogs in live. I have bookmarked more article from this website. Such a nice blog you are providing.
mobile service center chennai
mobile service centre near me
mobile service centre chennai
best mobile service center in chennai
best mobile service center in chennai
Your blog’s post is just completely quality and informative. Many new facts and information which I have not heard about before. Keep sharing more blog posts.
coolpad service center chennai
coolpad service center in chennai
coolpad service centre chennai
This is the exact information I am been searching for, Thanks for sharing the required infos with the clear update and required points.
apple service center chennai
apple service center in chennai
apple mobile service centre in chennai
apple service center near me
Hi! Thank you for the share this information. This is very useful information for online blog review readers. Keep it up such a nice posting like this.
mobile service centre chennai
best mobile service center in chennai
best mobile service center in chennai
Thanks for delivering a good stuff.....
Openstack Training
Openstack Certification Training
OpenStack Online Training
Openstack Training Course
Openstack Training in Hyderabad
Nice post
For the best Data science training in Bangalore, Visit:
Data Science training in Bangalore
Nice information, want to know about Selenium Training In Chennai
Selenium Training In Chennai
Data Science Training In Chennai
Protractor Training in Chennai
jmeter training in chennai
Rpa Training Chennai
Rpa Course Chennai
Selenium Training institute In Chennai
Python Training In Chennai
Great article! Thanks for taking time to share this with us.
aws Training in Bangalore
python Training in Bangalore
hadoop Training in Bangalore
angular js Training in Bangalore
bigdata analytics Training in Bangalore
python Training in Bangalore
aws Training in Bangalore
This is an awesome blog. Really very informative and creative contents.
aws Training in Bangalore
python Training in Bangalore
hadoop Training in Bangalore
angular js Training in Bangalore
bigdata analytics Training in Bangalore
python Training in Bangalore
aws Training in Bangalore
Thanks for sharing such a great information. Its really nice and informative. learn devops online. Devops Self-pace learning course devops training videos
Shopclues winner list here came up with a list of offers where you can win special shopclues prize list by just playing a game & win prizes.
Shopclues winner list
Shopclues winner list 2020
Shopclues winner name
Shopclues winner name 2020
Shopclues prize list
Read my post here
Java programmer
Java programmer
Java programmer
Great post..Its very useful for me to understand the information..Keep on blogging..
aws Training in Bangalore
python Training in Bangalore
hadoop Training in Bangalore
angular js Training in Bangalore
bigdata analytics Training in Bangalore
python Training in Bangalore
aws Training in Bangalore
Thanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website
best sailpoint online training
togel online
bandar togel terpercaya
agen togel
judi togel
I really appreciate
PHP Training in Chennai | Certification | Online Training Course | Machine Learning Training in Chennai | Certification | Online Training Course | iOT Training in Chennai | Certification | Online Training Course | Blockchain Training in Chennai | Certification | Online Training Course | Open Stack Training in Chennai |
Certification | Online Training Course
Thank you for sharing wonderful information with us to get some idea about that content.
workday hcm online training
workday hcm training
workday hcm certification
An overwhelming web journal I visit this blog, it's unfathomably amazing. Unusually, in this present blog's substance made inspiration driving truth and reasonable. The substance of data is enlightening.
Full Stack Course Chennai
Full Stack Training in Bangalore
Full Stack Course in Bangalore
Full Stack Training in Hyderabad
Full Stack Course in Hyderabad
Full Stack Training
Full Stack Course
Full Stack Online Training
Full Stack Online Course
ninonurmadi.com
ninonurmadi.com
ninonurmadi.com
ninonurmadi.com
Nino Nurmadi, S.Kom
Nino Nurmadi, S.Kom
Nino Nurmadi, S.Kom
Nino Nurmadi, S.Kom
Nino Nurmadi, S.Kom
That was o great Information which is a useful resources
Check one of our list which will help others
We provide best Selenium training in Bangalore, automation testing with live projects. Cucumber, Java Selenium and Software Testing Training in Bangalore.
Online selenium training in India - KRN Informatix is a leading Selenium Training Institute in Bangalore offering extensive Selenium Training
Selenium Training in Bangalore
Software Testing Training in Bangalore
Java Selenium Training in Bangalor
Best Selenium Training in Bangalore
Best Selenium Training Institute in Bangalore
Really nice blog post. provided helpful information. I hope that you will post more updates like this.
visit : https://www.acte.in/digital-marketing-training-in-bangalore | https://www.acte.in/digital-marketing-training-in-hyderabad
IB chemistry
IGCSE chemistry
CBSE chemistry
MCAT
Thank you for sharing wonderful information with us to get some idea about that content.
Mulesoft Online Training in Hyderabad
Mulesoft Training
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
Iamlinkfeeder
You Have Been Declined for Health Insurance in California, Now What? By Dennis Alexander. Boost DA upto 35+ at cheapest
Boost DA upto 45+ at cheapest . ArticleShare this article on FacebookShare this article on TwitterShare this article on LinkedinShare this article
appium online training hyderabad
application packaging online training hyderabad
app v online training hyderabad
aws online training hyderabad
azure devops online training hyderabad
It was wonderfull reading your article. Great writing styleIamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder
It was wonderfull reading your article. Great writing styleIamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder IamLinkfeeder
Thanks for sharing your wealthy information. This is one of the excellent posts which I have seen. I go through your all of your blog, but this blog is the best one. It is really what I wanted to see hope in future you will continue for sharing such an excellent post
mua vé máy bay đi seoul
săn vé máy bay đi nhật giá rẻ
giá vé máy bay hà nội đi tokyo
giá vé máy bay hà nội đi đài loan
vé máy bay đi đài bắc
ve may bay di cao hung
We are used to the fact that we know only religious and public holidays and celebrate only them.Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder Iamlinkfeeder
Annabelle loves to write and has been doing so for many years.BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE BUY SEO SERVICE
informative article.thank you for sharing.Angular training in Chennai
very useful information
ServiceNow admin Training Online
ServiceNow admin Online Training
Hey there
Nice post, Thanks for sharing this post, Keep on updating more like this
Best Software Development company
Best Staffing services in chennai
Best web development company
thanks for sharing nice post keep on posting blogs if like to visit more website read it https://snowflakemasters.in/
hanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website Workday HCM Online Training
best Workday HCM Online Training
top Workday HCM Online Training
We buy old pattu saree at a very good price in chennai. Our dealers give benefits like easy cash on hand and door pickup if you have an appointment.
old pattu saree buyers
blue prism training in chennai
blue prism training in chennai
Wow what a first rate records just greater or less global Day its intensely exceptional informative assertion. thank you for the kingdom... Window 7 Ultimate Activate Key
thank you for taking the duration to proclamation this find the maintain for an opinion totally beneficial!.... Inspirational Good Morning Sunday
Informative blog post.
wordpress website design studio Need professional WordPress Web Design Services? We're experts in developing attractive mobile-friendly WordPress websites for businesses. Contact us today!
I have to say I am impressed. I rarely come across such an informative and interesting blog,
I’m so glad I found myself in this quest for something
about that.
edugov backlinks
free backlinks edu
free backlink s 3 edu
free backlink s 3 edu
free backlink s 3 edu
The information which you have provided is very good
ServiceNow Online Training in Hyderabad
ServiceNow Developer Training
Establishing an Amazon Redshift Cloud Data Warehouse Consulting in DataStage is a crucial step to enable data integration and transformation processes with the power and scalability of Amazon’s cloud data warehousing solution. Here, we will guide you through the process of setting up the connection in DataStage, ensuring a seamless data flow between your DataStage environment and Amazon Redshift.
digital marketing course in hyderabad
digital marketing course in telugu
wordpress training in hyderabad
video editing course in hyderabad
seo training in hyderabad
THANKS FOR VALUABLE INFORMATION
NICE ARTICLE
DELL BHOOMI TRAINING
nice article
wedding destination in hyderabad
places for birthday celebration in hyderabad
wedding venue in hyderabad
pre wedding shoot places in hyderabad
Best Convention Hall in Hyderabad
wonderful points altogether, you just gained a new reader. What would you recommend in regards to your post that you made some days ago? Any positive?
Scrum Master Training
SAP CAR Training
This is cool! This site is astounding!! I will recommend it to my son and anybody that could be attracted to this matter. Great work girls!
Qlik Sense Training
SAP UI5 Fiori Training
<a href="https://viswaonlinetrainings.com/courses/ssrs-online-training/>SSRS Training</a>
Nice article
vba macros course
advanced excel course
power bi course in hyderabad
microsoft office essentials course
advanced excel course in hyderabad
thanks for valuable info
gcp training in hyderabad
"Great article, felt good after reading, worth it.
i would like to read more from you.
keep posting more.
also follow Propmtengineeringcourseinhyderabad"
nice work "Top Digital Marketing Agency In Hyderabad
"
Excellent article! It was an enjoyable read and truly worth the time. Looking forward to more content from you—keep it coming!
SAP FICO Training in Hyderabad
Our Dot Net Training Institute in Mumbai is tailored to equip students with the skills needed to excel in the tech industry. We offer specialized industrial training, especially beneficial for individuals with a 2-3 year career gap, providing them with a structured pathway back into the field. The course includes hands-on experience through live projects, ensuring practical, job-ready skills. Additionally, participants receive an experience letter, ISO certification, and 100% placement assistance to enhance employability. Our training is both practical and job-oriented, with options for individual training (one faculty per student) to ensure personalized guidance. A free demo session is available for interested learners, allowing them to explore our teaching methods and course structure before committing.
Post a Comment