Introduction
A while back I went to a talk by Martin Odersky introducing Scala. Martin is the lead designer of Scala and a very smart guy. You can have a look at the slides from the talk here.
He described how the effect of Moore's law (that the number of transistors on a reasonable priced CPU doubles roughly every 2 years) doesn't lead to higher clock speeds anymore since the early 2000s. The number of transistors is still doubling but the extra transistors are used to include additional cores per CPU and to increase L2 and L3 cache sizes. Before the 2000s programmers got a free lunch meaning that the performance of their programs automatically improved with each new processor generation. This free lunch is now over and the performance of a single threaded program hasn't improved much over the last 10 years. To be able to create programs with smaller latency or higher throughput parallel programming mechanism are needed.
He described how the effect of Moore's law (that the number of transistors on a reasonable priced CPU doubles roughly every 2 years) doesn't lead to higher clock speeds anymore since the early 2000s. The number of transistors is still doubling but the extra transistors are used to include additional cores per CPU and to increase L2 and L3 cache sizes. Before the 2000s programmers got a free lunch meaning that the performance of their programs automatically improved with each new processor generation. This free lunch is now over and the performance of a single threaded program hasn't improved much over the last 10 years. To be able to create programs with smaller latency or higher throughput parallel programming mechanism are needed.
What I found really profound was this pseudo equation which Martin introduced:
non-determinism = parallel processing + mutable state
This equation basically means that both parallel processing and mutable state combined result in non-deterministic program behaviour. If you just do parallel processing and have only immutable state everything is fine and it is easy to reason about programs. On the other hand if you want to do parallel processing with mutable data you need to synchronize the access to the mutable variables which essentially renders these sections of the program single threaded. This is not really new but I haven't seen this concepts expressed so elegantly. A non-deterministic program is broken.
Why are parallel programs without proper synchronization broken?
There are a few different things which can go wrong when no proper synchronization policy is enforced: Race conditions, visibility issues and out-of-order processing.
Race condition
A race condition means that the outcome of an algorithm is depend on its timing and lack of influences from other threads. Lets have a lock at the check-then-act race condition. In Java it would look something like this:
public class BrokenMap<E, V> extends HashMap<E ,V> { public T putIfAbsent(final E key, final T value) { if (!this.containsKey(key)) { return this.put(key, value); } else { return this.get(key); } ) }
In the
putIfAbsent
method we first check if the element is part of the map already. If this is not the case we add the element. Otherwise we just return the existing element. This code works perfectly fine in a single threaded environment. In a multithreaded environment however a second thread could have jumped in between the two calls to containsKey
and put
and put its value their first. Once thread one is continuing execution again it would override the already existing value of thread two in the map.
For the method
putIfAbsent
to be thread-safe it needs to guaranteed that the two calls to containsKey
and put
are always run uninterrupted. They need to be atomic. The easiest way to ensure this to put both calls into a synchronized block which essentially renders the program single threaded in this section.Another form of race condition is read-modify-write. In Java it would look something like this:
public class BrokenCounter { private long count = 0; public long increment() { return ++count; } }
++count
is not just one operation. Under the hood it is actually 3 operations.- Read the old value of count.
- Increment the value of count.
- Store the new value of count.
If a second thread interrupts the first thread somewhere between step 1 and 3 it would read the same value as thread one, increment it by one and store it back into the count variable. Once the first thread resumes it would also increment the old value and store it back into the count variable. The result of this would be a counter which has been only incremented by one even though it was called twice.
For the method
increment
to be thread-safe it needs to guarantee that calls to ++count
will not be interrupted. The easiest way to achieve this is by putting the call into a synchronized
block which essentially renders this section of the program single threaded.Visibility
public class BrokenServer { private boolean stopped=false;
public void run() { while(!stopped) { /* do something useful */ } } public void cancel() { this.stopped = true; } }
In this program a method
The easiest way to achieve this is to use a synchronized block around reading and writing the variable
run
keeps processing stuff until it get interrupted by another thread calling the cancel
method. It is a bid odd to imagine but the thread in the run method may actually never see the updated value of stopped
. This is because the variable stopped
may be cached in a local variable in the JVM or the value is resolved from the L1/L2 cache of the core rather than from main memory. To fix this we need to tell the JVM to include a memory barrier after writing the stopped
variable and another one before reading the stopped
variable. The memory barrier guarantees that all writes to the variable happen before all successive reads from the same variable (like you would expect in a single threaded program).The easiest way to achieve this is to use a synchronized block around reading and writing the variable
stopped
which once again renders this part of the program single threaded.Ordering
If you made it this far you must be truly interested in Java Concurrency. Lets have a look at one more case which is even more weird than the visibility issue above. The JVM and modern CPUs are allowed to execute code out of order if that helps with speeding up the code or improve memory access pattern.
Lets have a look at another piece of code:
Lets have a look at another piece of code:
public class BrokenOrder { int a = 0; int b = 0; public void assignment() { a = 1; b = 2; } public int getSum() { return a+b; } }It is actually surprisingly difficult to reason about this very simple program. What would be the result of
getSum
if called in a multithreaded environment?
- Returns 0 if
getSum
runs beforeassignment
- Returns 3 if
getSum
runs afterassignment
- Returns 1 if
getSum
runs after a=2 assignment but before b=3 assignment - Returns 2 if
getSum
runs after b=2 assignment but before a=2 assignment
This last case can happen if the JVM / CPU decides to process the assignment method out of order. To prohibit this kind of non-deterministic behavior once again we need to use a memory barrier to prevent out-of-order processing. The easiest way to do this in Java is to use a synchronized block which renders the program single threaded in this section.
Conclusion
Shared mutable state and parallel processing doesn't go together at all. If you do not use proper synchronization you will create extremely difficult to find bugs and your programs are basically broken even if they appear to work just fine in most cases.
Very well explained. I could able to understand why people again started moving to Functional Programming.
ReplyDeleteGreat Article… I love to read your articles because your writing style is too good, its is very very helpful for all of us
DeleteYou will get an introduction to the Python programming language and understand the importance of it. How to download and work with Python along with all the basics of Anaconda will be taught. You will also get a clear idea of downloading the various Python libraries and how to use them.
Topics
About [url=https://www.excelr.com/data-science-certification-course-training-in-singapore]Excelr Solutions[/url] and Innodatatics
Introduction to Python
Installation of Anaconda Python
Difference between Python2 and Python3
Python Environment
Operators
Identifiers
Exception Handling (Error Handling)
This comment has been removed by the author.
DeleteNice explanation, but your last example is confusing because there is no b=3 or a=2 assignments.
ReplyDelete---
Returns 1 if getSum runs after a=2 assignment but before b=3 assignment
Returns 2 if getSum runs after b=2 assignment but before a=2 assignment
Yes! I thought I was the only one confused!
DeleteYour good knowledge and kindness in playing with all the pieces were very useful. I don’t know what I would have done if I had not encountered such a step like this.
ReplyDeleteBest Devops Training in pune
Data science training in Bangalore
This comment has been removed by the author.
ReplyDeletegenious
DeleteReally awesome blog. Your blog is really useful for me
ReplyDeleteRegards,
best selenium training institute in chennai | selenium course in chennai
Nice post!Everything about the future(học toán cho trẻ mẫu giáo) is uncertain, but one thing is certain: God has set tomorrow for all of us(toán mẫu giáo 5 tuổi). We must now trust him and in this regard, you must be(cách dạy bé học số) very patient.
ReplyDeleteI Regreat For Sharing The information The InFormation shared Is Very Valuable Please Keep Updating Us Time Just Went On Reading The Article Python Online Training AWS Online Training Hadoop Online Training Data Science Online Training
ReplyDeleteIts a great information . Thanks for sharing .
ReplyDeleteselenium training in Bangalore
web development training in Bangalore
selenium training in Marathahalli
selenium training institute in Bangalore
best web development training in Bangalore
Great!it is really nice blog information.after a long time i have grow through such kind of ideas.Thanks for share your thoughts with us.
ReplyDeleteSelenium Training in Chennai | SeleniumTraining Institute in Chennai
Thanks for sharing valuable information. Your blogs were helpful to Azure learners. I request to update the blog through step-by-step. Also, find the Azure news at
ReplyDeleteData Science Course
Indeed, the goal of Spring Boot is not to provide new solutions for the many problem domains already solved.
ReplyDeletespring boot tutorial
ReplyDeleteIt was really a nice post and I was really impressed by reading this keep updating
Tableau online Training
Android Training
Data Science Course
Dot net Course
iOS development course
Thanks for sharing valuable article having good information and also gain worthful knowledge.
ReplyDeleteOracle Integration cloud service online training
Thanks for sharing such a good article having valuable information.best to learn Big Data and Hadoop Training course.
ReplyDeleteBig Data and Hadoop Training In Hyderabad
Its very informative blog and useful article thank you for sharing with us , keep posting learn
ReplyDeleteData Science online Course
dot NET Course
thanks for sharing such a nice info.I hope you will share more information like this. please keep on sharing!
ReplyDeleteAWS Online Training
AWS Training in Hyderabad
Amazon Web Services Online Training
And indeed, I’m just always astounded concerning the remarkable things served by you. Some four facts on this page are undeniably the most effective I’ve had.
ReplyDeletefire and safety course in chennai
safety course in chennai
Kursus HP iPhoneAppleLes PrivateVivo
ReplyDeleteKursus Service HP Bandar LampungKursus Service HP Bandar LampungServis HPServis HPwww.lampungservice.com
Good job in presenting the correct content with the clear explanation. The content looks real with valid information. Good Work
ReplyDeleteAndroid Interview Questions and Answers
Angular JS Interview Questions and Answers
https://g.co/kgs/GGvnG8
ReplyDeletehttps://bateraitanam.blogspot.com
https://bimbellampung.blogspot.com
lampungservice.com
Devops online training institutes in Hyderabad
ReplyDeleteFamous & Top Vedic Indian Astrologer In Sydney, Melbourne, Perth, Australia
ReplyDeleteSuch a useful article. The efforts you had made for writing this awesome article are great.
ReplyDeleteExcelR Data Science Course Bangalore
Such a very useful article. Very interesting to read this article.I would like to thank you for the efforts you had made for writing this awesome article.
ReplyDeletedate analytics certification training courses
ReplyDeleteGoing to graduate school was a positive decision for me. I enjoyed the coursework, the presentations, the fellow students, and the professors. And since my company reimbursed 100% of the tuition, the only cost that I had to pay on my own was for books and supplies. Otherwise, I received a free master’s degree. All that I had to invest was my time.
Big Data Course
I feel strongly about this and so really like getting to know more on this kind of field.
ReplyDeleteDo you mind updating your blog post with additional insight?
It should be really useful for all of us.
Digital marketing service in sehore
website designer in sehore
ReplyDeleteI like this blog and This content is very useful for me. I was very impressed by your written style and thanks for your brief explanation. Good job...!
Tableau Training in Chennai
Tableau Certification in Chennai
Embedded System Course Chennai
Linux Training in Chennai
Pega Training in Chennai
Primavera Training in Chennai
Excel Training in Chennai
Oracle Training in Chennai
Social Media Marketing Courses in Chennai
Wonderful blog!!! More Useful to us... Thanks for sharing with us...
ReplyDeleteSelenium Training in Bangalore
Selenium Training in Coimbatore
Selenium Training Institutes in Bangalore
Ethical Hacking Course in Bangalore
German Classes in Bangalore
Hacking Course in Coimbatore
German Classes in Coimbatore
Great blog created by you. I read your blog, its best and useful information.
ReplyDeleteAWS Online Training
Devops Online Training
Apllication Packaging Online Training
Website Planning Best institute for digital marketing course in delhi. Initialisation of Digital Marketing.. Website Creation. Content Writing. Search Engine Optimization. Local Seo. Google Webmaster. Bing Webmaster.
ReplyDeleteDigital Marketing training in Laxmi Nagar
Great blog created by you. I read your blog, its best and useful information.
ReplyDeleteAWS Online Training
Devops Online Training
Apllication Packaging Online Training
Just now I read your blog, it is very helpful nd looking very nice and useful information.
ReplyDeleteDigital Marketing Online Training
Servicenow Online Training
EDI Online Training
Voi sunteți mereu fericiți și norocoși. Sper că aveți mai multe articole bune.
ReplyDeletePhối chó bull pháp
Phối giống chó Corgi
Phối chó Pug
Phối giống chó alaska
research training in chennai
ReplyDeleteandroid training in chennai
big data training in chennai
core java training in chennai
advance java training in chennai
UV Gullas College of MedicineUV Gullas College of Medicine- Do you Want to do MBBS in Philippines? Then make your decision with us.! Here no need any entrance examination.
ReplyDeleteOn the off chance that you are searching with the expectation of complimentary logos for your business, there are a few ways to deal with getting one for yourself. Actually, a standout amongst the best choices is to get it through 'across the board' kind of bundles by expert logo configuration firms, where you buy something at a focused cost and get your logo intended for nothing. logo design service
ReplyDeleteThank you for sharing wonderful information with us to get some idea about that content.
ReplyDeleteGCP Training
Google Cloud Platform Training
GCP Online Training
Google Cloud Platform Training In Hyderabad
ReplyDeletec programming training in chennai
mysql training in chennai
sql server training in chennai
sql training in chennai
angular js training in chennai
MBBS in AbroadGet MBBS in Abroad for low fees @ UV Gullas College of Medicine in Philippines. We are one of the best MBBS Universities in abroad.
ReplyDeleteThis is a wonderful article, Given so much info in it, These type of articles keeps the users interest in the website, and keep on sharing more ... good luck.
ReplyDeletewww.technewworld.in
How to Start A blog 2019
Eid AL ADHA
Sharp
ReplyDeleteLampung
Metroyoutube
youtube
lampung
kuota
Indonesia
vlsa global services providing best ece project in chennai.VLSA Global Services is the best
ReplyDeleteece projects in chennai, VLSA Global Services offers ece projects in Chennai and IEEE 2013 Final Year projects for Engineering students in JAVA, Dot Net, Android, Oracle, matlab, embedded system, python and PHP technologies
jatti speaker
ReplyDeleteThere is an ever-growing large community of Indian students who study at our campus to realize their cherished dreams of becoming a doctor. Lyceum Northwestern University is committed to making our students become compassionate, knowledgeable, highly-competent physicians by providing them with early hands-on clinical training and opportunities to hone their professional skills.
ReplyDeleteThank you for sharing valuable info keep blogging
ReplyDeleteDevops Training
Python Online Training
AWS Training
AWS Online Training
Artificial Intelligence Training
Data Science Training
Nice blog. Thanks for sharing the awesome blog. This is very useful for me.
ReplyDeleteIAS Coaching in Chennai
Civil Service Coaching Centre In Chennai
Civil Service Coaching In Chennai
Best Upsc Coaching In Chennai
UPSC Coaching Centre in Chennai
Thank you so much for sharing this informative blog
ReplyDeletedata science interview questions pdf
data science interview questions online
data science job interview questions and answers
data science interview questions and answers pdf online
frequently asked datascience interview questions
top 50 interview questions for data science
data science interview questions for freshers
data science interview questions
data science interview questions for beginners
data science interview questions and answers pdf
I like it very much. it's very good and relevant information. good content, and unique design.Great article thanks for sharing us. ASP.NET is a web application structure created and advertised by Microsoft to enable software engineers to fabricate dynamic sites.
ReplyDeleteanyone want to learn advance develops training
visit: Asp.net Training in Chennai
Very Useful Blog.
ReplyDeletejava training in chennai
android training in chennai
bigdata training in chennai
core java training in chennai
digital marketing training in chennai
Thanks for sharing the useful blog. I found this very useful for me. Keep sharing more in future.
ReplyDeleteInterior Designers in Chennai
Interior Decorators in Chennai
Best Interior Designers in Chennai
Home Interior designers in Chennai
Modular Kitchen in Chennai
Awesome article. Thank you for your information.
ReplyDeleteAngularJS interview questions and answers/angularjs 6 interview questions/angularjs 4 interview questions/angularjs interview questions/jquery angularjs interview questions/angularjs interview questions/angularjs 6 interview questions and answers/angularjs interview questions
Really nice and interesting post. I was looking for this kind of information and enjoyed reading this one. Keep posting. Thanks for sharing.
ReplyDeletepmp certification course
ReplyDeleteIts really an Excellent post. I just stumbled upon your blog and wanted to say that I have really enjoyed reading your blog. Thanks for sharing....
software Providers
erp software
crm software
best software company in chennai
software company in india
Top software company in chennai
This comment has been removed by the author.
ReplyDeleteThanks for Sharing this useful information. By SharePoint Development
ReplyDeleteThank you for your post. This is superb information. It is amazing and great to visit your site.
ReplyDeletedata science certification course training
This comment has been removed by the author.
ReplyDeletethanks for information.
ReplyDeletedelhi to kasauli
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.
ReplyDeletePHP Training in Coimbatore
PHP Course in Coimbatore
Selenium Training in Coimbatore
seo course in coimbatore
Android Training in Coimbatore
Embedded course in Coimbatore
German coaching classes in Coimbatore
Java Training in Bangalore
Thanks for sharing such a wonderful blog on Python .This blog contains so much data about Python ,like if anyone who is searching for the Python data will easily grab the knowledge of Python from this.Requested you to please keep sharing these type of useful content so that other can get benefit from your shared content.
ReplyDeleteThanks and Regards,
Top Institutes for Python in Chennai.
Best Python institute in Chennai .
Python course in chennai .
This comment has been removed by the author.
ReplyDeleteI Think it is very helpful for who is looking for best Software Training services. for more information
ReplyDeleteinformation.
AWS Online training Institutes in Hyderabad
Devops Online training in Hyderabad
Data Science Online training in Hyderabad
Selenium Online Training in Hyderabad
This article was very helpful for my research and I learn more ideas for your excellent post. Thank you and I like you more post in the future...
ReplyDeleteTableau Training in Chennai
Tableau Certification
Oracle DBA Training in Chennai
Linux Training in Chennai
Social Media Marketing Courses in Chennai
Corporate Training in Chennai
Spark Training in Chennai
Power BI Training in Chennai
Oracle Training in Chennai
Tableau Training in Vadapalani
I was scrolling the internet like every day, there I found this article which is related to my interest. The way you covered the knowledge about the subject and the top builders in bhopal was worth to read, it undoubtedly cleared my vision and thoughts towards B 3 bhk flat in ayodhy bypass road . Your writing skills and the way you portrayed the examples are very impressive. The knowledge about 2 bhk flat in ayodhya bypaas road is well covered. Thank you for putting this highly informative article on the internet which is clearing the vision about top builders in Bhopal and who are making an impact in the real estate sector by building such amazing townships.
ReplyDeleteI love to read your article. Your writingstyle is too good
ReplyDeleteExcelR is a global leader delivering a wide gamut of management and technical training over 40 countries. We are a trusted training delivery partner of 350+ corporate clients and universities across the globe with 28,000+ professionals trained across various courses. With over 20 Franchise partners all over the world, ExcelR helps individuals and organisations by providing courses based on practical knowledge and theoretical concepts.
Excelr Solutions
amazing blog post. thanks for information.
ReplyDeleteHome Salon
This blog contain alot of informative information.Has a good writing shkills too. Thank you for the information.
ReplyDeletepython training in bangalore
Great article. Couldn’t be write much better!
ReplyDeletehttps://www.bisptrainings.com/Courses/Microsoft-Power-BI
Thank you for this informative blog
ReplyDeleteTop 5 Data science training in chennai
Data science training in chennai
Data science training in velachery
Data science training in OMR
Best Data science training in chennai
Data science training course content
Data science syllabus
Data science courses in chennai
Data science training institute in chennai
Data science online course
Data science with python training
Data science with R training
I love your article so much. Good job
ReplyDeleteParticipants who complete the assignments and projects will get the eligibility to take the online exam. Thorough preparation is required by the participants to crack the exam. ExcelR's faculty will do the necessary handholding. Mock papers and practice tests will be provided to the eligible participants which help them to successfully clear the examination.
Excelr Solutions
I love your article so much. Good job
ReplyDeleteParticipants who complete the assignments and projects will get the eligibility to take the online exam. Thorough preparation is required by the participants to crack the exam. ExcelR's faculty will do the necessary handholding. Mock papers and practice tests will be provided to the eligible participants which help them to successfully clear the examination.
Excelr Solutions
Nice post... Thank you for sharing..
ReplyDeletePython training in Chennai/
Python training in OMR/
Python training in Velachery/
Python certification training in Chennai/
Python training fees in Chennai/
Python training with placement in Chennai/
Python training in Chennai with Placement/
Python course in Chennai/
Python Certification course in Chennai/
Python online training in Chennai/
Python training in Chennai Quora/
Best Python Training in Chennai/
Best Python training in OMR/
Best Python training in Velachery/
Best Python course in Chennai/
Is QuickBooks Online different than Quickbooks desktop
ReplyDeleteamazon quickbooks integration
ReplyDeleteebay quickbooks integration
ReplyDeletepinnaclecart quickbooks Integration
ReplyDeleteBest Adventure place in Jharkhand
ReplyDeleteBest honeymoon place in himachal
Best tourist place in delhi
best honeymoon place in kerala
best tourist place in goa
best tourist places in jharkhand
places to visit in uttar pradesh
honeymoon destinations in india
most romantic honeymoon destinations in india
five star hotels in delhi
five star hotels in delhi list
list of all 5 star hotels in delhi
5 star hotels in delhi near airport
hotel in delhi
hotels in delhi near railway station
Thanks for sharing this nice article. It is really helpful for me. Keep sharing like this..
ReplyDeletePython Training in Velachery
Python Training in T Nagar
Python Training in Tambaram
Python Training in Adyar
Python Training in Anna Nagar
Python Training in OMR
Python Training in Porur
python Training in vadapalani
python Training in Thiruvanmiyur
ReplyDeleteVery nice information and thanks for sharing article.
Air Hostess Academy Bangalore
Aviation Institute in Bangalore
Airport Management in Bangalore
Ground Staff Training in Bangalore
Air Hostess Training in Chennai
Air Hostess Training in Chennai
Air Hostess Training Institute in chennai
Air Hostess Training in Bangalore
Aviation Courses in Chennai
Aviation Institute in Bangalore
AWS Training GLOBALLY Register Now!!
ReplyDeleteAWS training in Bangalore
thanks for aharing useful information
ReplyDeletemachine learning training in bangalore
iot training in bangalore
big data and hadoop training in bangalore
data science training in bangalore
nice posts
ReplyDeletemachine learning training in bangalore
iot training in bangalore
myTectra!! Best place to learn Python!
ReplyDeletePython training in Bangalore
AWS Training in bangalore!!
ReplyDeletevisit:
AWS Training in bangalore
You have given very nice post it is very knowledgeable and result oriented. Website is very good tool for any companyWeb Designing Company Bangalore | Website Development Bangalore.
ReplyDeleteoutsourcing training in dhaka
For data science training in bangalore, visit:
ReplyDeleteData science training in bangalore
nice information.thank you for sharing
ReplyDeleteartificial intelligence course
For blockchain training in bangalore, visit:
ReplyDeleteBlockchain training in Bangalore
nice blog
ReplyDeletedevops training in bangalore
hadoop training in bangalore
iot training in bangalore
machine learning training in bangalore
uipath training in bangalore
Good Article
ReplyDeletedevops training in bangalore
hadoop training in bangalore
iot training in bangalore
machine learning training in bangalore
uipath training in bangalore
lottery sambad
ReplyDeletenagaland state lottery
lottery result
dainik sambad
lottery sambad today
lotterysambad
nagaland state lotteries
lottery result today
today lottery result
lottery sambad 2019
sikkim state lottery
lottery sambad live
sikkim state lotteries
dhanteras
bihar lottery result
lottery sambad night result
lottery sambad today result
lottery sambad result today
search lottery result
Visit Here => Big Data and hadoop training in bangalore
ReplyDeleteGreat blog. I really want to admire this post's quality. I like the way your thoughts, opinions and precious material are presented. Thank you for a fantastic article.
ReplyDeleteVlsa Global Services is the best Ece Projects in Chennai At the end of the year, the latest 2019 Top IEEE Projects ECE ideas for engineering students. Collection of best chapters and effective Cse, EEE, IT and more ECE projects
For Data Science training in Bangalore
ReplyDeleteVisit:
Data Science training in bangalore
vidmate apk
ReplyDeleteDevops training in Bangalore
ReplyDeleteThanks for sharing! Good Job...
ReplyDeleteWe are the best Ece Project Centers in Chennai . We offers low cost Ece project for all students in chennai. We also provide internship and inplant training for Bsc, Msc, BE, ME and Mtech students. The chennai No1 Centers is Ece Project centers.
Дээд чанар бол зүгээр л( tourmaline xanh ) санаатай биш юм. Энэ нь өндөр( Nhẫn đá tourmaline ) түвшний төвлөрөл, тусгай хүчин( Đá Sapphire ) чармайлт, ухаалаг ( đá sapphire hợp mệnh gì )чиг баримжаа, чадварлаг туршлага, ( vòng đá sapphire )саад тотгорыг даван туулах( đá tourmaline đen ) боломжийг хардаг.
ReplyDeleteFor AI training in Bangalore, Visit:
ReplyDeleteArtificial Intelligence training in Bagalore
Thanks for sharing.it really helpful.nice information.
ReplyDeleteData science course in pune
Data science classes in pune
Data science training in pune with placement
Data science training in pune
Nice Post...I have learn some new information.thanks for sharing.
ReplyDeleteClick here for ExcelR Business Analytics Course
Great post. It was so informative and are you looking for the best lift for home. Click here: Elevators for house | home lift
ReplyDeleteVery good post i am very thankful to author.This information is helpful for everyone.
ReplyDeleteReally useful article thanks for sharing. are you looking for the best Home elevators in Chennai, Click here:Stair lift in Chennai | Hydraulic lift for home in Chennai
Visit for Data Science training in bagalore :
ReplyDeleteData Science training in Bangalore
I was able to find good advice from your articles.
ReplyDeleteUI Development Training in Marathahalli
UI Development Training in Bangalore
Angular Training in Bangalore
Good post! We are linking to this great post on our site. Keep up the good writing.
ReplyDeletePython Training in Marathahalli, Bangalore
Selenium Training in Marathahalli, Bangalore
Reactjs Training in Marathahalli, Bangalore
Great topic. Keep going with the good work.
ReplyDeleteJava training in coimbatore | Tally training in coimbatore | Digital Marketing training in coimbatore
Thank you
Nice Blog! Thanks for Sharing this Blog!
ReplyDeleteStudy MBBS at Lyceum Northwestern University in Philippines under 20 lakhs. Apply for Lyceum Northwestern University top-ranking study, approved medical college by the government.
Thanks for posting the Henrik Eichenhardt's Blog!!!
ReplyDeleteBuy Exclusive ethnic indian designer Sarees online from Madhusudhan Creation. We have huge range of saree like designer saree, bandhani saree, silk saree, banarasi saree and much more.
Good Information
ReplyDelete"Sanjary Academy provides excellent training for Piping design course. Best Piping Design Training Institute in Hyderabad,
Telangana. We have offer professional Engineering Course like Piping Design Course,QA / QC Course,document Controller
course,pressure Vessel Design Course, Welding Inspector Course, Quality Management Course, #Safety officer course."
Piping Design Course in India
Piping Design Course in Hyderabad
Piping Design Course in Hyderabad
QA / QC Course
QA / QC Course in india
QA / QC Course in Hyderabad
Document Controller course
Wonderful blog!!! Thanks for sharing this great information with us...
ReplyDeleteSEO Training in Chennai
SEO Course in Chennai
SEO Training Institute in Chennai
seo course
SEO training in OMR
SEO training in Annanagar
Big data training in chennai
JAVA Training in Chennai
Selenium Training in Chennai
JAVA Training in Chennai
I really enjoy your blog
ReplyDeletehttps://todaypage.in
[url=https://mylotterysambad.com/]nagaland state lottery[/url][url=https://mylotterysambad.com/]lottery sambad[/url]
ReplyDelete[url=https://mylotterysambad.com/rajshree-lottery-sambad-24-8-2019-goa-state-lottery-result-today-11-55am/]Rajshree lottery sambad[/url]
[url=https://mylotterysambad.com/rajshree-lottery-sambad-24-8-2019-goa-state-lottery-result-today-11-55am/]Rajshree lottery[/url]
[url=https://mylotterysambad.com/west-bengal-state-lottery-result-today-lottery-sambad-result-4pm/]west bengal state lottery[/url]
[url=https://mylotterysambad.com/west-bengal-state-lottery-result-today-lottery-sambad-result-4pm/]west state lottery[/url]
[url=https://mylotterysambad.com/west-bengal-state-lottery-result-today-lottery-sambad-result-4pm/]west bengal lottery sambad[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]lottery sambad[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]Nagaland State Lottery[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]lottery sambad today[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]lottery sambad live[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]dear lottery sambad [/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]aajkal lottery sambad [/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]Sikkim State Lottery[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]lottery sambad night[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]lottery sambad old[/url]
[url=https://mylotterysambad.com/lottery-sambad-1155-am-4pm-8pm-nagaland-state-lotteries/]lottery sambad old result[/url
Thanku for explaining Race Conditions in Java in so simple manner.... helped alot.
ReplyDeleteThis concept is a good way to enhance the knowledge.thanks for sharing..
ReplyDeleteGCP Training
Google Cloud Platform Training
Vlsi Projects in Chennai develope in our Real time projects 2019 to 2020, Vlsi project centers initiatives growing vlsi projects in chennai
ReplyDeleteThank you for sharing this blog... Nice!!!
ReplyDeleteEce Project Centers in Chennai
blockchain training in hyderabad faculty guides you to beaome a professional blockchain developer
ReplyDeleteThank you for adding some valuable information and get a latest updates....
ReplyDeleteTeer Result
Teer Results
Thank you for sharing wonderful information with us to get some idea about that content.
ReplyDeleteDjango Online Courses
Django Training in Hyderabad
Python Django Online Training
Python Django Training in Hyderabad
Excellent Blog. Thank you so much for sharing.
ReplyDeleteAWS Training
AWS Online Training
AWS Training
AWS certification training
Read this blog if you are looking for when to start infertility treatment
ReplyDeleteVery Nice Blog!!! Thanks for Sharing...
ReplyDeleteLyceum Northwestern University
Awesome Post!!! Thanks for Sharing!!!
ReplyDeletePython Projects in Chennai
MS Projects Chennai
Download All AtozVideo Of Maths Basic Free And AdsFree
ReplyDeleteNice infromation
ReplyDeleteSelenium Training In Chennai
Selenium course in chennai
Selenium Training
Selenium Training institute In Chennai
Best Selenium Training in chennai
Selenium Training In Chennai
Rpa Training in Chennai
Rpa Course in Chennai
Rpa training institute in Chennai
Best Rpa Course in Chennai
uipath Training in Chennai
Blue prism training in Chennai
Data Science Training In Chennai
Data Science Course In Chennai
Data Science Training institute In Chennai
Best Data Science Training In Chennai
Python Training In Chennai
Python course In Chennai
Protractor Training in Chennai
jmeter training in chennai
Loadrunner training in chennai
Thank you for sharing useful information. Keep sharing more post
ReplyDeleteSelenium Training in Bangalore |
Software Testing Training in Bangalore|
Java Selenium Training in Bangalore |
Best Selenium Training Institute in Bangalore |
Automation Testing Training in Bangalore
Thank you for sharing very useful blog!!!!
ReplyDeleteAWS Training
AWS Online Training
AWS certification training
this article is infomartive and helpfull
ReplyDeletealso visit my website
Thodi Jagah From Marjaavaan Song
Awesome Blog!!! Thanks for Sharing!!!
ReplyDeletematlab training in chennai
big data training in chennai
robotics training in chennai
hardware and networking training in chennai
oracle training in chennai
cloudsim training in chennai
Thanks for your Awesome Blog!!! Best MBBS college in Philippines UV Gullas College of Medicine
ReplyDeleteInteresting Blog...Good Job!!!
ReplyDeleteIEEE 2019 Android Project Titles
IEEE 2019 Engineering Project Titles
IEEE 2019 UG Project Titles
IEEE 2019 ECE Projects Chennai
IEEE 2019 CSE Projects Chennai
Best Online shopping in Surat Cotton Sarees in surat
ReplyDeleteThank you for sharing very useful blog!!!!
ReplyDeleteAWS Training
AWS certification training
AWS Online Training
Thank you for sharing useful information. Keep sharing more post
ReplyDeleteSelenium Training in Bangalore |
Software Testing Training in Bangalore|
Selenium Training in Marathahalli
Automation Testing Training in Bangalore |
Java Selenium Automation Training in Bangalore
Nice Blog with Good Information
ReplyDeleteSoft Online gives best training for Oracle Fusion and EBS Courses
Oracle Fusion SCM Training
Oracle Fusion HCM Training
Oracle Fusion Financials Training
For more info Visit us: www.softonlinetraining.com
well! Thanks for providing the information
ReplyDeleteDocker and Kubernetes Training in Hyderabad
Kubernetes Online Training
Docker Online Training
Useful information Thank-you for sharing. really helpful keep sharing your views. Please visit link mentioned below and share your views on them.
ReplyDeletebest hvac training in lucknow
job oriented training institute in lucknow
best autocad training in lucknow
best php training in lucknow
python training in lucknow
best seo training in lucknow
digital marketing training in lucknow
Very Good Post!!!
ReplyDeleteIOT Training in Chennai
Very useful and information content has been shared out here, Thanks for sharing it.selenium training in bangalore
ReplyDeleteuv gullas collge of medicine MBBS in Abroad
ReplyDeleteThere is an opportunity for many students to become a doctor. The rise in the percentage annually of students is indicative of the increased interest of students in the medical sector. But the known fact is that it involves a lot of pressure and money to become a doctor. That is because there are fewer seats available in UV Gullas College of medicine. Students who are interested to become doctors will either enter the Private Medical College or simply prefer studying abroad when the rigorous tests are not taken. We will discuss the choices for Indian students for MBBS abroad.
Eligibility Requirement MBBS in Abroad
* The student must be 17 years plus and the admission is being taken.
* The student must have completed the class 12th.
* If the candidate is in the overall classification, the applicant must be aggregated with at least 50% in physics, chemistry, and biology and must be required to speak English.
visit : http://uvgullascollegeofmedicine.in/
contact : 9444666890
ReplyDeletegreat post very helpful very much informative i like your posts bcs that is full of information keep it up educational job thank you....
Data Science Training in Hyderabad
Hadoop Training in Hyderabad
Java Training in Hyderabad
Python online Training in Hyderabad
I have read many of your post and this post is wonderful.... all of your post are just awesome
ReplyDeletePlease do visit my website hope you'll like it: Best tiffin service provider in Lucknow
Best tiffin service in Lucknow
Best tiffin service provider in Lucknow
Best tiffin service near me
Best catering service in lucknow
Best homemade food
ReplyDeleteThank you for sharing such a nice and interesting blog with us. I have seen that all will say the same thing repeatedly. But in your blog, I had a chance to get some useful and unique information.
Digital Marketing Training in Hyderabad
Best Digital Marketing institute in Hyderabad
We provide the latest IEEE 2019 Projects for
ReplyDeleteIEEE 2019 Image Processing projects
IEEE 2019 Big data and Hadoop projects chennai
IEEE 2019 android and Network Security projects chennai
Thanks for Such an Useful and Informative Stuff..
ReplyDeleteaws online training
it,pg,eee mini project centers in chennai
ReplyDeleteIt project centers in chennai1croceprojects is one of India's leading it project centers in chennai, pg project centers in chennai,eee mini project centers in chennai. 1croreprojects offers the best solutions to the final year of its candidates. To students who pursue B.E, B.Tech, M.E, M.Tech, BCA, MCA, B.Sc., M.Sc., BBA, MBA, Diplomas, eee mini project centers in Chennai in all fields we have Mini Projects in Chennai and Key Projects in Chennai. Our specialist project development team helps the students to complete their design with full technical training and a detailed explanation about each section. We continue to focus on groundbreaking pg project centers in Chennai
Visit :- http://ieeeprojectcentre.in/
Phone : +91 97518 00789 / +91 77081 50152
IEEE dotnet projects chennai
ReplyDeleteIt project centers in chennai1croceprojects is one of India's leading R&D company based in Chennai. 1croreprojects offers the best solutions to the final year of its candidates. To students who pursue B.E, B.Tech, M.E, M.Tech, BCA, MCA, B.Sc., M.Sc., BBA, MBA, Diplomas, eee mini project centers in Chennai in all fields we have Mini Projects in Chennai and Key Projects in Chennai. Our specialist project development team helps the students to complete their design with full technical training and a detailed explanation about each section. We continue to focus on groundbreaking pg project centers in Chennai
Visit :- http://projectcentrechennai.in
Phone : +91 97518 00789 / +91 77081 50152
Thank you for sharing this information.your information very helpful for my business. I have gained more information about your sites. I am also doing business related this.
ReplyDeleteThank you.
Data Science Training in Hyderabad
Hadoop Training in Hyderabad
Java Training in Hyderabad
Python online Training in Hyderabad
Thanks for Sharing such an Useful and Informative Stuff..
ReplyDeletetableau training videos
ReplyDelete1croreprojects offers the best mba application projects in chennai for final year students.
Visit :-
https://finalyearprojectece.in
Phone : +91 97518 00789 / +91 77081 50152
Amazing write up, never read such an informative blog and enjoyed it. Thankyou. Keep up the good work. Looking forward to read more.
ReplyDeleteHome Salon Dubai
Home Service salon dubai
Beauty Services at home Dubai
It’s really great information Thanks for sharing. Best Manual Testing Training in Bangalore, BTM layout. My Class Training Academy training center for certified course, learning on Manual Testing Course by expert faculties, also provides job placement for fresher, experience job seekers.
ReplyDelete
ReplyDelete1croreprojects offers the best
final year mba projects chennai for final year students
Very Interesting, good job and thanks for sharing such a good blog.
ReplyDeleteJoin Selenium Training in Bangalore at My Class Training Academy. Learn from Certified Professionals with 10+ Years of experience in Selenium. Get 100% Placement Assistance. Placements in MNC after successful course completion.
Thanks for sharing such an useful info..
ReplyDeleteaws tutorial videos
It’s really Nice and Meaningful. It’s really cool Blog. You have really helped lots of people who visit Blog and provide them Useful Information. Thanks for Sharing.dot net training in bangalore
ReplyDeleteI am a regular reader of your blog and I find it really informative. Hope more Articles From You.Best Tableau Training Videos available Here. hope more articles from you.
ReplyDeleteAnd this year they are back with some amazing deals. Here are the dates and deals for HostGator for the Black Friday Web Hosting Deals 2019 for sale 25 Nov - 2 Dec 2019.
ReplyDeleteIt’s really great information for becoming a better Blogger. Keep sharing, Thanks...
ReplyDeleteBangalore Training Academy located in BTM - Bangalore, Best Informatica Training in Bangalore with expert real-time trainers who are working Professionals with min 8 + years of experience in Informatica Industry, we also provide 100% Placement Assistance with Live Projects on Informatica.
Thanks for sharing such a good article having valuable information...
ReplyDeleteSelenium Training in Bangalore | Selenium Courses | Selenium Training Institutes - RIA Institute of Technology - Best Selenium Training in Bangalore - Placement oriented Selenium Training Institutes in Bangalore.
Learn Selenium Testing Training from expert Trainers.
Very interesting, good job and thanks for sharing such a good blog. Thanks a lot…
ReplyDeleteTableau Training in Bangalore. BangaloreTrainingAcademy Provides Best Tableau Training in Bangalore with Industry Experts. Get Practical Knowledge on Tableau visualization Tool Step by Step easily with Tableau Certification guidance and 100% Placement.
final year msc projects chennai 1croceprojects is delivering IEEE 2015-based M.E projects. M.Phil research projects, final project year, M.E. projects 2015-2016, final year msc projects
ReplyDelete
ReplyDeletefree internship training in chennai is thoroughly researched and trained for the demands of the IT industry by experts from MNC. After completing the internship at DLK Career Development in Chennai,
students become acquainted with the IT sector software development process.
Enjoyed reading the article above, really explains everything in detail, the article is very interesting and effective. Thank you and good luck…
ReplyDeleteStart your journey with DevOps Course and get hands-on Experience with 100% Placement assistance from experts Trainers @Softgen Infotech Located in BTM Layout Bangalore.
This is great information and all relevant to me. I know when I engage with my readers on my blog posts, not only does it encourage others to leave comments, but it makes my blog feel more like a community – exactly what I want!
ReplyDeleteData Science Training in Hyderabad
Hadoop Training in Hyderabad
Java Training in Hyderabad
Python online Training in Hyderabad
Tableau online Training in Hyderabad
Blockchain online Training in Hyderabad
informatica online Training in Hyderabad
devops online Training
very interesting, good job and thanks for sharing such a good blog.
ReplyDeleteBest SAP Hybris Training in Bangalore , BTM layout. Real Time Experts training center for certified course, learning on SAP Hybris Course by expert faculties, also provides job placement for fresher, experience job seekers.
I am really happy to say it’s an interesting post to read. I learn new information from your article, you are doing a great job. Keep it up…
ReplyDeleteBest SAP Hybris Training in Bangalore , Marathahalli. Real Time Experts training center for certified course, learning on SAP Hybris Course by expert faculties, also provides job placement for fresher, experience job seekers.
The Best Internship and Inplant Training in Chennai. Inplant Training in Chennai
ReplyDeleteI read this post your post so nice and very informative post thanks for sharing this post...
ReplyDeleteBest SAP ABAP Training in Bangalore for SAP, We provides the sap training project with trainers having more than 5 Years of sap training experience, We also provide 100% placement support.
I am reading your post from the beginning, it was so interesting to read & I feel thanks to you for posting such a good blog, keep updates regularly.. Check here also for the best datapower training videos
ReplyDeleteWe provide Matlab and Vlsi projects centers in Chennai
ReplyDeletematlab project centers in chennai
Vlsi Projects in chennai
PHD Projects in Chennai
ReplyDeletePHD Project Centers in Chennai
Nice Post!!! Thanks for Sharing!!!
ReplyDeleteLyceum Northwestern University
business loan provide
ReplyDeleteonline business loan
nice blogs!!!
ReplyDeletebe, ieee, final year btech project centers in chennai
Thank you so much for such an amazing blog. I will share it with my fellow mates. I hope all these information would be helpful for them.
ReplyDeleteData Science Training in Hyderabad
Hadoop Training in Hyderabad
Java Training in Hyderabad
Python online Training in Hyderabad
Tableau online Training in Hyderabad
Blockchain online Training in Hyderabad
informatica online Training in Hyderabad
devops online Training in Hyderabad
We as a team of real-time industrial experience with a lot of knowledge in developing applications in python programming (7+ years) will ensure that we will deliver our best inpython training in vijayawada. , and we believe that no one matches us in this context.
ReplyDeleteweb design training in chennai
ReplyDeleteandroid training in chennai
php training in chennai
Nice Post!!! Lyceum Northwestern University
ReplyDeleteThe Information Shared Is Very Valuable Please Keep Updating Us.
ReplyDeleteMicroservices Online Training
Microservices Training in Hyderabad
من المعروف ان نجاح اي شركة او مؤسسةت:0500466401 مبني على عمالها لذا فنحن في مؤسسة المستقبل و في شركة ترميم وصيانة منازل بالرياض نملك مجموعة ضخمه من العمال في كافة مجالات الصيانة
ReplyDeleteو الترميم لتقديم كافة الخدمات التي يحتاجها المنزل فنحن نملك خبراء في اعمال الكهرباء و في اعمال السباكة و اعمال تركيب البلاط و البروسلين
و الرخام و اعمال تركيب الباركييه بالاضافة الى وجود مجموعة من المتخصصين في اعمال صيانة الخزان و المسابح كل هذه الخدمات و اكثر متوفر من خلال شركة ترميم و صيانة منازل بالرياض .
خدمات منزلية بأرخص الأسعار عالية الدقة قمة التميز في إختيار ماكينات التنظيف كافة عوامل النجاح تتوفر في شركة المستقبل لخدمات النظافة يمكنكم التتبع والتواصل معنا عبر الروابط التالية :
شركة مقاولات كهرباء بالرياض
شركة مقاولات سباكه بالرياض
شركة ترميم وصيانه منازل بالرياض
شركة كشف مباني بالرياض
خدمات مكافحة الحشرات
شركة رش مبيدات بالرياض
شركة-مكافحة النمل الابيض الرياض
I recently came across your article and have been reading along. I want to express my admiration of your writing skill and ability to make readers read from the beginning to the end. I would like to read newer posts and to share my thoughts with you.course on big data analytics
ReplyDeletedata scientist course in malaysia
data analytics courses
We as a team of real-time industrial experience with a lot of knowledge in developing applications in python programming (7+ years) will ensure that we will deliver our best in python training in vijayawada. , and we believe that no one matches us in this context.
ReplyDeletedotnet inplant training in chennai
ReplyDeleteweb designing inplant training in chennai
iot inplant training in chennai
cloud computing inplant training in chennai
Philippines Medical College lyceum northwestern university
ReplyDeleteRealtime Project centers in chennai.
ReplyDeletePhd Projects, Research projects, ece and VB mini Projects in chennai
The best Mbbs College Lyceum Northwestern University
ReplyDeleteIt is so nice article thank you for sharing this valuable content
ReplyDeleteSQL Azure Online Training
Azure SQL Training
SQL Azure Training
Thanks for sharing this article.
ReplyDeletehttps://www.digitaldreamsjaipur.com/
https://digitaldreams.com/
http://www.justlikenew.co.in/
I found some useful information in your blog, it was awesome to read, thanks for sharing
ReplyDeleteUI Path Online Training
UI Path Training in Hyderabad
This is very helpful writing for blog writer and also after read you post i am learn more of blog writing thank you...
ReplyDeleteData Science Training in Hyderabad
Hadoop Training in Hyderabad
selenium Online Training in Hyderabad
Devops Training in Hyderabad
Informatica Online Training in Hyderabad
Tableau Online Training in Hyderabad
The best Project Centre in Chennai.
ReplyDelete2019 robotics projects chennai
IEEE matlab projects chennai
IEEE android projects chennai
MBBS IN PHILIPPINES Lyceum Northwestern University
ReplyDeleteI think this is one of the most important info for me.And i am glad reading your article. But want to remark on few general things, The site style is good , the articles is really excellent and also check Our Profile for best Spotfire Training videos
ReplyDelete
ReplyDeleteThank you for sharing such a great information.Its really nice and informative.hope more posts from you. I also want to share some information recently i have gone through and i had find the one of the best mulesoft training videos