Sunday, January 26, 2014

Debugging Rust with gdb

[Update]: This blog post has been updated to Rust 0.11 as of mid-April 2014. The previous version was for Rust 0.9.

This blog entry outlines the current state of my understanding of how to use the gdb debugger for Rust programs. As of this writing, I'm using:

$ rustc -v
rustc 0.11-pre-nightly (e332287 2014-04-16 00:56:30 -0700)
host: x86_64-unknown-linux-gnu

$ gdb --version
GNU gdb (GDB) 7.6.1-ubuntu

A caveat before we begin: I'm not an expert in gdb and I'm (now less of) a newbie at Rust. I'm cataloging my findings for both my own future reference and to help anyone who needs to see an example in action. I'd welcome feedback on tips for better ways to do this.


/* ---[ GDB ]--- */

I won't give a gdb tutorial. There are lots of good ones on the web, such as these:


/* ---[ The setup ]--- */

The example I'll use is modified from an example from cmr in this Rust issue: https://github.com/mozilla/rust/issues/10350. I've chosen this one because it shows jumping into both a regular (named) function and an anonymous closure.

The codebase consists of two files, both in the same directory:

quux.rs:

pub fn quux00(x: || -> int) -> int {
    println!("DEBUG 123");
    x()
}

and bar.rs

extern crate quux;

fn main() {
    let mut y = 2;
    {
        let x = || {
            7 + y
        };
        let retval = quux::quux00(x);
        println!("retval: {:?}", retval);
    }
    y = 5;
    println!("y     : {:?}", y);
}

To compile them with debugging info included use the -g switch (this changed since version 0.9):

$ rustc -g --crate-type lib quux.rs
$ rustc -g -L . bar.rs

Start the bar program in gdb and let's set some breakpoints:

$ gdb bar
(gdb) break bar::main
Breakpoint 1 at 0x4042c0: file bar.rs, line 3.
(gdb) rbreak quux00
Breakpoint 2 at 0x43e760: file quux.rs, line 1.
int quux::quux00(int ())(int ());
(gdb) info breakpoints
Num     Type           Disp Enb Address            What
1       breakpoint     keep y   0x00000000004042c0 in bar::main at bar.rs:3
2       breakpoint     keep y   0x000000000043e760 in quux::quux00 at quux.rs:1

For the first breakpoint, I know the full path, so I just use break.

Sometimes correct full paths in Rust can be tricky, especially for functions that are parametized, so it can be easier to just use rbreak, which takes a regular expression. All functions that match the regex will have a breakpoint set.

The second breakpoint does have the word "quux00" in it, but it's been mangled. There's a way to change that in Rust, but let's move on for the moment.


/* ---[ Aside: rbreak ]--- */

In my playing around so far, I've been unable to use break to set a breakpoint for a function not in the file with the main method, so rbreak has been very useful.

The rbreak command is pretty powerful. According to the documentation, if you want to set a breakpoint for all functions, rbreak . will do the trick. You don't want to do this for a rust application, because there are hundreds of functions that get compiled in.

Instead, you'll want to limit the scope of the regex search by limiting the search to a single file with:

(gdb) rbreak bar.rs:.

But again I've only gotten this to work for the "main" file. If I type rbreak quux.rs:. it doesn't know what I'm talking about. Something for future research.


/* ---[ Let's debug ]--- */

So now we've got two breakpoints set, as indicated by the output from info breakpoints.

Let's start the debugging session:

(gdb) run
Starting program: /home/midpeter444/lang/rust/sandbox/debug/./bar
[Thread debugging using libthread_db enabled]
Using host libthread_db library "/lib/x86_64-linux-gnu/libthread_db.so.1".
... deleted a bunch of info about threads starting up ...
Breakpoint 1, bar::main () at bar.rs:3
3    fn main() {
(gdb) n
4        let mut y = 2;
(gdb) n
9            let retval = quux::quux00(x);
(gdb) list
4        let mut y = 2;
5        {
6            let x = || {
7                7 + y
8            };
9            let retval = quux::quux00(x);
10            println!("retval: {:?}", retval);
11        }
12        y = 5;
13        println!("y     : {:?}", y);
(gdb) p y
$1 = 2
(gdb) p x
$2 = {int ()} 0x7fffffffd4f8

Interesting that it seemed to skip lines 5-8 when I single stepped with n. But the x value was captured as an unnamed function, as you can see on the last line of the readout.

Now we are on line 8 (confirmed with the frame command below), so let's continue - our breakpoint on the quux00 function should now be tripped:

(gdb) frame
#0  bar::main () at bar.rs:9
9            let retval = quux::quux00(x);
(gdb) c
Continuing.

Breakpoint 2, quux::quux00 (x={int ()} 0x7fffffffd500) at quux.rs:1
1    pub fn quux00(x: || -> int) -> int {

Yes, it was tripped. Let's look around and single-step through it:

(gdb) frame
#0  quux::quux00 (x={int ()} 0x7fffffffd500) at quux.rs:1
1    pub fn quux00(x: || -> int) -> int {
(gdb) list
1    pub fn quux00(x: || -> int) -> int {
2        println!("DEBUG 123");
3        x()
4    }
(gdb) s
2        println!("DEBUG 123");
(gdb) p x
$4 = {int ()} 0x7fffffffd390

OK, we're inside the quux00 method. We stepped over the first instruction (the println) and inspected the x param, which is our anonymous Rust closure. Let's continue by stepping into the closure and see if that works:

(gdb) n
DEBUG 123
3        x()
(gdb) s
fn1356 () at bar.rs:6
6            let x = || {
(gdb) n
7                7 + y
(gdb) p y
$5 = 2
(gdb) n
bar::main () at bar.rs:10
10            println!("retval: {:?}", retval);

Excellent. That worked and we even had line numbers. Now we are back in the outer main fn. BTW, note that the "anonymous" closure has a name: fn1356 - remember that name, we'll come back to it later.

It's an easy walk to the finish line from here:

(gdb) list
5        {
6            let x = || {
7                7 + y
8            };
9            let retval = quux::quux00(x);
10            println!("retval: {:?}", retval);
11        }
12        y = 5;
13        println!("y     : {:?}", y);
14    }
(gdb) p retval
$3 = 9
(gdb) n
2    
(gdb) p y
$4 = 2
(gdb) c
Continuing.
retval: 9
y     : 5
[Inferior 1 (process 7007) exited normally]


/* ---[ Round 2: Set breakpoints on all methods in main file ]--- */

Let's start over and set breakpoints on all the functions in the bar.rs file:

$ gdb bar
(gdb) rbreak bar.rs:.
Breakpoint 1 at 0x4042c0: file bar.rs, line 3.
static void bar::main();
Breakpoint 2 at 0x404520: file bar.rs, line 6.
static int fn1356()();

Aah, there's the name again: fn1356. So that's another way to set a breakpoint on your closures. If we redo the session, we'll see that the breakpoint now gets tripped in the closure as it's being executed (from within the quux00 method):

(gdb) r
Starting program: /home/midpeter444/lang/rust/sandbox/debug/bar 
[Thread debugging using libthread_db enabled]
Using host libthread_db library "/lib/x86_64-linux-gnu/libthread_db.so.1".

Breakpoint 1, bar::main () at bar.rs:3
warning: Source file is more recent than executable.
3    fn main() {
(gdb) c
Continuing.
DEBUG 123

Breakpoint 2, fn1356 () at bar.rs:6
6            let x = || {
(gdb) frame
#0  fn1356 () at bar.rs:6
6            let x = || {
(gdb) n
7                7 + y
(gdb) p y
$1 = 2


/* ---[ Round 3: Demangle function names ]--- */

In the Rust 0.9 version of this post I showed how rust mangled the function names, but that seems to have gone away. You can still explicitly specify not to mangle function names like so:

#[no_mangle]
pub fn quux00(x: || -> int) -> int {
    println("DEBUG 123");
    x()
}

I haven't tried anything really complicated with Rust in gdb yet, but hopefully these examples serve to get you going.

273 comments:

  1. To compile with debugging support, you now have to do : "rustc -g prog1.rs". See http://stackoverflow.com/questions/15871885/how-to-debug-rust-programs/15877760#15877760

    ReplyDelete
    Replies
    1. Excellent. Thanks for the update. I've updated the post with this info and fresh screens from Rust 0.11.

      Delete
  2. Nice post; but how have you updated it from the future?
    Quote: "This blog post has been updated to Rust 0.11 as of mid-April 2016."

    ReplyDelete
  3. Thanks, this helps a lot! I try it on Windows.

    ReplyDelete
  4. This article is very much helpful and i hope this will be an useful information for the needed one.Keep on updating these kinds of informative things...
    PSD to Wordpress
    wordpress website development

    ReplyDelete
  5. This is an awesome post.Really very informative and creative contents. These concept is a good way to enhance the knowledge.I like it and help me to development very well.Thank you for this brief explanation and very nice information.Well, got a good knowledge.

    rpa Training in tambaram

    blueprism Training in tambaram

    automation anywhere training in tambaram

    iot Training in tambaram

    rpa training in sholinganallur

    blue prism training in sholinganallur

    automation anywhere training in sholinganallur

    iot training in sholinganallur

    ReplyDelete
  6. Thanks for the good words! Really appreciated. Great post. I’ve been commenting a lot on a few blogs recently, but I hadn’t thought about my approach until you brought it up. 

    Data Science Training in Chennai
    Data science training in bangalore
    Data science online training
    Data science training in pune
    Data Science training in kalyan nagar
    Data Science training in OMR
    selenium training in chennai

    ReplyDelete
  7. Thank you for benefiting from time to focus on this kind of, I feel firmly about it and also really like comprehending far more with this particular subject matter. In case doable, when you get know-how, is it possible to thoughts modernizing your site together with far more details? It’s extremely useful to me

    java training in chennai | java training in bangalore

    java online training | java training in pune

    java training in chennai | java training in bangalore

    ReplyDelete
  8. I would like to thank you for your nicely written post, its informative and your writing style encouraged me to read it till end. Thanks
    python training in pune
    python online training
    python training in OMR

    ReplyDelete
  9. You got an extremely helpful website I actually have been here reading for regarding an hour. I’m an initiate and your success is incredibly a lot of a concept on behalf of me.
    python training in pune
    python online training
    python training in OMR

    ReplyDelete
  10. If you happen to be interested, feel free to shoot me an e-mail. I look forward to hearing from you! Great blog by the way!
    fire and safety course in chennai

    ReplyDelete
  11. 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. It was definitely interesting for me to read about their market situation nowadays. Well written article Thank You for Sharing with Us pmp training Chennai | pmp training centers in Chennai | pmp training institutes in Chennai | pmp training and certification in Chennai | pmp training in velachery

    ReplyDelete
  12. Thanks for sharing this information admin, it helps me to learn new things

    Education
    Technology

    ReplyDelete
  13. Nice post. Thanks for sharing! I want people to know just how good this information is in your article. It’s interesting content and Great work.
    Thanks & Regards,
    VRIT Professionals,
    No.1 Leading Web Designing Training Institute In Chennai.
    Web Designing training institute in guindy

    ReplyDelete
  14. This is a wonderful article, Given so much information in it about Debugging with GDB. Great post

    ExcelR Data Science Bangalore

    ReplyDelete
  15. Actually I read it yesterday but I had some thoughts about it and today I wanted to read it again because it is very well written.
    date analytics certification training courses
    data science courses training
    data analytics certification courses in Bangalore

    ReplyDelete
  16. Pretty good post. I just stumbled upon your blog and wanted to say that I have really enjoyed reading your blog posts. Any way I’ll be subscribing to your feed and I hope you post again soon.
    www.technewworld.in
    How to Start A blog 2019
    Eid AL ADHA

    ReplyDelete
  17. DJ gigs London, DJ agency UK
    Dj Required has been setup by a mixed group of London’s finest Dj’s, a top photographer and cameraman. Together we take on Dj’s, Photographers and Cameramen with skills and the ability required to entertain and provide the best quality service and end product. We supply Bars, Clubs and Pubs with Dj’s, Photographers, and Cameramen. We also supply for private hire and other Occasions. Our Dj’s, Photographers and Cameramen of your choice, we have handpicked the people we work with

    ReplyDelete
  18. Really nice and interesting post. I was looking for this kind of information and enjoyed reading this one. Keep posting. Thanks for sharing.
    data analytics course malaysia

    ReplyDelete

  19. I am looking for and I love to post a comment that "The content of your post is awesome" Great work!
    technewworld.in.

    ReplyDelete
  20. I wanted to thank you for this great read!! I definitely enjoying every little bit of it I have you bookmarked to check out new stuff you post.is article.



    ReactJS Online Training

    ReplyDelete

  21. This paragraph gives clear idea for the new viewers of blogging.
    How to write best comment that approve fast

    ReplyDelete
  22. You might comment on the order system of the blog. You should chat it's splendid. Your blog audit would swell up your visitors. I was very pleased to find this site.I wanted to thank you for this great read!!
    One Machine Learning
    One data science

    ReplyDelete

  23. Nice information, valuable and excellent design, as share good stuff with good ideas and concepts, lots of great information and inspiration, both of which I need, thanks to offer such a helpful information here.
    One Machine Learning
    One data science

    ReplyDelete
  24. Really appreciate this wonderful post that you have provided for us.Great site and a great topic as well i really get amazed to read this. Its really good.
    I like viewing web sites which comprehend the price of delivering the excellent useful resource free of charge. I truly adored reading your posting. Thank you!
    One Machine Learning
    One data science

    ReplyDelete
  25. After reading your article amazon web services training I was amazed . I know that you explain it very well. And I hope that other readers will also experience how I feel after reading your article.

    ReplyDelete
  26. Thanks for this amazing post its help me a lot to solve my issues click here to download Kinemaster Mod APK

    ReplyDelete

  27. Really nice and interesting post. I was looking for this kind of information and enjoyed reading this one. Keep posting. Thanks for sharing.
    One Machine Learning
    One data science
    Bissi.Global

    ReplyDelete
  28. its fashion mania item site with free SHIPPING all over the world.
    fashion
    women clothing, cosmetics bags sun glasses & health n beauty

    ReplyDelete
  29. I am looking for and I love to post a comment that "The content of your post is awesome" Great work!
    AI course malaysia

    ReplyDelete
  30. Really very happy to say,your post is very Awesome to read.I never stop myself to say something about it.You’re doing a Great job.keep it up
    www.bexteranutrition.com
    www.digital marketingfront.com
    designing info.in
    https://www.hindimei.net

    ReplyDelete
  31. "This is the best website for Unique clipping path and high quality image editing service Company in Qatar. Unique clipping path
    "

    ReplyDelete
  32. You completed certain reliable points there. I did a search on the subject itil Certification and found nearly all persons will agree with your blog.

    ReplyDelete
  33. Great blog informative and understandable

    Pressure Vessel Design Course is one of the courses offered by Sanjary Academy in Hyderabad. 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.
    Welding Inspector Course
    Safety officer course
    Quality Management Course
    Quality Management Course in India

    ReplyDelete
  34. best baby crib reviews


    These baby cribs reviews help you to find out a traditional, unique, safe,
    comfortable, reliable, sustainable and also most perfect baby cribs.

    ReplyDelete

  35. Bob Proctor is an icon that has worked for many years helping people to learn their self-worth. He has written various different books in helping people to become prosperous
    within their personal lives. In these books he covers different aspects which aid in a variety of different real-life situations that people experience.
    Because of his work and way with words people have grown to respect him for his
    stay motivated . His wise quotes are also known for giving people a sense of security,
    self-worth and meaning in life. What a true gift to be able to help people from all over the world prosper in their lives.

    visit website

    ReplyDelete
  36. Really nice and interesting post. I was looking for this kind of information and enjoyed reading this one. Keep posting. Thanks for sharingweb design company in velachery

    ReplyDelete
  37. I Got Job in my dream company with decent 12 Lacks Per Annum salary, I have learned this world most demanding course out there in the current IT Market from the Hadoop training in btm Providers who helped me a lot to achieve my dreams comes true. Really worth trying

    ReplyDelete
  38. Visit here for hadoop training in bangalore -> Big Data and hadoop Training in Bangalore

    ReplyDelete
  39. Thanks for sharing this information. I really Like Very Much. https://www.simpliv.com

    ReplyDelete

  40. Thank you so much for sharing the article. Really I get many valuable information from the article
    With our Digital Marketing Training, re-discover your creative instinct to design significant marketing strategies to promote a product/service related to any organization from any business sector.

    Digital Marketing Course in Sydney


    ReplyDelete
  41. Website development demands huge quantity of talent and expertise and only the professional website developer can provide you the ideal website development services. To begin with, you should know what kind of web solutions you're searching for.."> web design agency kerala

    ReplyDelete
  42. Hi,
    Best article, very useful and well explanation. Your post is extremely incredible.Good job & thank you very much for the new information, i learned something new. Very well written. It was sooo good to read and usefull to improve knowledge. Who want to learn this information most helpful. One who wanted to learn this technology IT employees will always suggest you take hadoop certification courses in bangalore.

    ReplyDelete
  43. For IOT Training in Bangalore:
    Visit:IOT Training in Bangalore

    ReplyDelete
  44. Nice Post
    "Pressure Vessel Design Course is one of the courses offered by Sanjary Academy in Hyderabad. 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
    Pressure Vessel Design Course
    Welding Inspector Course
    Quality Management Course
    Quality Management Course in india
    Safety officer course

    ReplyDelete
  45. Digital Marketing can be defined as a unique marketing strategy that is implemented in digital platforms through Internet Medium to reach the target audience. When compared to traditional marketing, search analytics gives you an extra edge in Digital Marketing. Analytics empowers the business to analyse the success in their business strategies and provides the required data to modify the strategies to suit the market requirements and improve ROI.

    Digital Marketing Course
    Digital Marketing Course in Sydney

    ReplyDelete
  46. Wow nice article, I also have some things to you thats related to tamil Movies If you want to get the latest updates then please click here

    ReplyDelete
  47. Thanks Admin For That Great article. you may also like Our website Pinoyteleseryetambayan is offering free videos in Best result dramas of All channels of Philippine Like GMA7 Network & ABS-CBN of all Pinoy Teleserye

    ReplyDelete
  48. Spot on with this write-up, I truly believe that this amazing site needs much more attention. I’ll probably be returning to read through more, thanks for the information!

    Visit my site: ayurveda hospital kottayam

    ReplyDelete
  49. Thanks a lot very much for the high quality and results-oriented help. I won’t think twice to endorse your blog post to anybody who wants and needs support about this area.

    Best PHP Training Institute in Chennai|PHP Course in chennai
    Best .Net Training Institute in Chennai
    Dotnet Training in Chennai
    Dotnet Training in Chennai

    ReplyDelete

  50. We provide a complete line of automatic transmission parts, overhaul kits, troubleshooting and overhaul guides to factory re-manufactured automatic transmissions . Shift kits are available, and more importantly shift enhancement kits are available, these enhancement kits fix know problems with automatic transmission. Enhancement kits correct design and manufacturing defects, yes they can be corrected after your vehicle has left the factory. If there is an enhancement kit available for you application be sure you have one installed before your transmission suffers costly failures. automatic transmission parts .

    ReplyDelete
  51. Choose high quality and durable dennys driveshaft replacement parts for your Nissan. Replacement parts are available for your air intake system, body electrical, body mechanical and trim, body sheet metal, brakes, climate control, clutch, cooling system, diesel injection, drive belts, drive shafts and axle, engine electrical, engine parts, exhaust, fuel delivery, steering, suspension, tools and hardware, transmission. Replacement parts keep your Nissan running and looking great, these parts will surely make it more stylish, more fun to drive, more comfortable and convenient, and more high-tech. dennys driveshaft .

    ReplyDelete
  52. "Just saying thanks will not just be sufficient, for the fantastic lucidity in your writing. I will instantly grab your articles to get deeper into the topic. And as the same way ExcelR also helps organisations by providing data science courses based on practical knowledge and theoretical concepts. It offers the best value in training services combined with the support of our creative staff to provide meaningful solution that suits your learning needs.

    Business Analytics Courses "

    ReplyDelete
  53. This post is really nice and informative. The explanation given is really comprehensive and informative . Thanks for sharing such a great information..Its really nice and informative . Hope more artcles from you. I want to share about the best java tutorial for begineers with free bundle videos provided and java training .

    ReplyDelete
  54. This article is very much helpful and i hope this will be an useful information for the needed one.Keep on updating these kinds of informative things...

    digital-marketing-course-in-hyderabad/

    digital-marketing-agency-in-hyderabad/

    selenium-training-in-hyderabad/

    salesforce-training-hyderabad/

    microsoft-azure-training-in-hyderabad/

    ReplyDelete
  55. Topics we’ve done in the past include: - 6 Best Practices for Drafting a Client Consent Form - HMIS Data Visualization: Using Data Visualization to Achieve Measurable Results - 3 Principles for Effective Social Work Case Management - How to Adapt Rapid Re-housing for Youth Homelessness - Using HMIS to Solve 3 Common Problems in Helping the Homeless - Criminalization of Homelessness: Your Basic But Comprehensive Guide To apply, please submit a cover letter and 3 examples of your work that is similar to what we are looking for. http://xp8aatar4n.dip.jp http://37gbv2ofof.dip.jp http://rbt126ghjb.dip.jp

    ReplyDelete
  56. I am genuinely thankful to the holder of this web page who has shared this wonderful paragraph at at this place

    360digitmg IOT Training

    ReplyDelete
  57. You re in point of fact a just right webmaster. The website loading speed is amazing. It kind of feels that you're doing any distinctive trick. Moreover, The contents are masterpiece. you have done a fantastic activity on this subject!big data analytics course
    data scientist course in malaysia
    data analytics courses

    ReplyDelete

  58. Truly, this article is really one of the very best in the history of articles. I am a antique ’Article’ collector and I sometimes read some new articles if I find them interesting. And I found this one pretty fascinating and it should go into my collection. Very good work!
    ExcelR Data analytics courses

    ReplyDelete
  59. Awesome blog. I enjoyed reading your articles. This is truly a great read for me. I have bookmarked it and I am looking forward to reading new articles. Keep up the good work!
    data analytics course mumbai

    data science interview questions

    business analytics courses

    data science course in mumbai

    ReplyDelete

  60. You write this post very carefully I think, which is easily understand to me. Not only this, other post is also good. As a newbie this info is really helpful for me. Thanks to you.
    tally training
    Tally Training in Chennai
    Tally ERP 9 Training
    Tally Course
    tally classes
    Tally institute in Chennai
    Tally Training institute in Chennai
    Tally course in Chennai

    ReplyDelete
  61. I finally found great post here.I will get back here. I just added your blog to my bookmark sites. thanks.Quality posts is the crucial to invite the visitors to visit the web page, that's what this web page is providing.
    ExcelR Data Science course Mumbai
    ExcelR data analytics courses in Mumbai
    data science interview questions
    ExcelR Business Analytics courses in Mumbai

    ReplyDelete
  62. I am a new user of this site so here i saw multiple articles and posts posted by this site,I curious more interest in some of them hope you will give more information on this topics in your next articles.big data in malaysia
    data scientist malaysia
    data analytics courses
    360DigiTMG

    ReplyDelete
  63. I have been reading for the past two days about your blogs and topics, still on fetching! Wondering about your words on each line was massively effective. Techno-based information has been fetched in each of your topics. Sure it will enhance and fill the queries of the public needs. Feeling so glad about your article. Thanks…!
    digital marketing training in chennai
    digital marketing classes in chennai
    digital marketing course in chennai
    digital marketing institute in chennai
    digital marketing training centers in chennai
    digital marketing training institute in chennai
    best digital marketing course in chennai

    ReplyDelete
  64. I just got to this amazing site not long ago. I was actually captured with the piece of resources you have got here. Big thumbs up for making such wonderful blog page!

    business analytics course

    data analytics courses

    data science interview questions

    data science course in mumbai

    ReplyDelete
  65. Check here west Bengal state lottery sambad today result 4:00 PM online. West bengal old as well as today lottery draw result will be updated here on this page. Stay connected with us to check and download west bengal lottery draw result online. West Bengal lottery is one of the most and popular lottery around the globe. Keep visiting our site to check west bengal lottery draw result of the day. We also update you here with the new bumper prizes.

    ReplyDelete
  66. Check here west Bengal state lottery sambad today result 4:00 PM online. West bengal old as well as today lottery draw result will be updated here on this page. Stay connected with us to check and download west bengal lottery draw result online. West Bengal lottery is one of the most and popular lottery around the globe. Keep visiting our site to check west bengal lottery draw result of the day. We also update you here with the new bumper prizes.

    ReplyDelete
  67. Thank for this blog are more informative contents step by step. I here by attached my site would you see this blog.

    7 tips to start a career in digital marketing

    “Digital marketing is the marketing of product or service using digital technologies, mainly on the Internet, but also including mobile phones, display advertising, and any other digital medium”. This is the definition that you would get when you search for the term “Digital marketing” in google. Let’s give out a simpler explanation by saying, “the form of marketing, using the internet and technologies like phones, computer etc”.

    we have offered to the advanced syllabus course digital marketing for available join now.

    more details click the link now.

    https://www.webdschool.com/digital-marketing-course-in-chennai.html

    ReplyDelete
  68. More impressive Blog!!! Its more useful for us...Thanks for sharing with us...

    Web designing trends in 2020

    When we look into the trends, everything which is ruling today’s world was once a start up and slowly begun getting into. But Now they have literally transformed our lives on a tremendous note. To name a few, Facebook, Whats App, Twitter can be a promising proof for such a transformation and have a true impact on the digital world.

    we have offered to the advanced syllabus course web design and development for available join now.

    more details click the link now.

    https://www.webdschool.com/web-development-course-in-chennai.html

    ReplyDelete
  69. Whatever we gathered information from the blogs, we should implement that in practically then only we can understand that exact thing clearly, but it’s no need to do it, because you have explained the concepts very well. It was crystal clear, keep sharing..

    aws course in bangalore

    aws tutorial videos

    ReplyDelete
  70. This is a wonderful article, Given so much info in it, These type of articles keeps the users interest in the website, I hope you will keep on sharing more .
    data analytics course

    ReplyDelete
  71. Impressive! I finally found a great post here. It's really a nice experience to read your post. Thanks for sharing your innovative ideas to our vision.
    Data Science Course in Marathahalli
    Data Science Course Training in Bangalore

    ReplyDelete
  72. I really enjoy simply reading all of your weblogs. Simply wanted to inform you that you have people like me who appreciate your work. Definitely a great post. Hats off to you! The information that you have provided is very helpful.
    data analytics course

    ReplyDelete
  73. This is my first time visit here. From the tons of comments on your articles.I guess I am not only one having all the enjoyment right here! Data Analytics Courses In Pune

    ReplyDelete
  74. Thank you so much for this post I felt really great after reading it.
    i enjoy a lot from it and i'm really thank full for each and every information.

    ReplyDelete
  75. The same way that we’ve come to love some imported shows on our TV screens, other countries have truly embraced our own teleseryes, with many of our shows crossing over to their shores and making people of all walks of life laugh, cry, and feel that signature Pinoy kilig we know best. Here are the top 8 Pinoy Tv that are loved the most around the world.

    ReplyDelete
  76. After the official declaration of Swat board matric result by specialists of board,
    we will likewise transfer the outcome here for comfort of understudies.

    Matric Result 2020 Swat Board

    SSC section 2 tests 2020 were led in March and now board has finished the outcome.
    The last date for result assertion is given. In this way, stay in contact with us tenth class of result 2020.

    ReplyDelete

  77. That is nice article from you , this is informative stuff . Hope more articles from you . I also want to share some information about redhat openstack training and mainframe tutorial videos

    ReplyDelete
  78. Watch online movies of Solarmovie on Gomovies. No ADs✔ No Registration✔ Online Streaming✔ For Free✔ https://gomovies-online.vip/brands-pages/solarmovie

    ReplyDelete
  79. i have been following this website blog for the past month. i really found this website was helped me a lot and every thing which was shared here was so informative and useful. again once i appreciate their effort they are making and keep going on.

    Digital Marketing Consultant

    ReplyDelete
  80. Are you looking for SEO services in Kerala? We TeamD is the best freelance SEO expert in Kerala. We do all types of SEO such as local SEO,youtube SEO,eCommerce SEO, etc.
    seo freelancer kerala

    Team Digital Kerala is one of the best Freelance Digital Marketing services in Kochi,Kerala.We Provide all types of online marketing services across worldwide.
    digital marketing kerala
    If you want the best logo design for your firm, we will help you to create creative design posters and logos. We are the best freelance graphic and logo designer in Kerala.
    Logo Designer Kerala
    Looking for any web design in Kerala? .We are the best freelance web designer in Kerala and we provide you low coast website design on your favors.
    web design kerala
    Are you looking for the best web development in Kerala? TeamD is your solution for the freelance website designs.We are the Leading web developers in Kerala since 2020.
    web development kerala
    We provide the best social media marketing services in Kochi and Kerala. We create posters and boost in via all social media’s. Our main specialty is our lead generation process.
    social media marketing kerala

    ReplyDelete
  81. wonderful nice post.amazing information. Richard Silverstein Thanks for you sharing

    ReplyDelete
  82. Just saying thanks will not just be sufficient, for the fantasti c lucidity in your writing. I will instantly grab your rss feed to stay informed of any updates.
    data science bootcamp malaysia
    360DigiTMG

    ReplyDelete
  83. Great Blog I loved the insight and advice given. Further, your blogging style is very fun to read. If you have enough time please explore my link: https://www.cetpainfotech.com/technology/python-training

    ReplyDelete
  84. Very good post, keep sending us such informative articles I visit your website on a regular basis.
    hindi grammar pdf

    ReplyDelete
  85. I finally found great post here.I will get back here. I just added your blog to my bookmark sites. thanks.Quality posts is the crucial to invite the visitors to visit the web page, that's what this web page is providing.
    Business Analytics Training
    Business Analytics Course In Hyderabad

    ReplyDelete
  86. I feel really happy to have seen your webpage and look forward to so many more entertaining times reading here. Thanks once more for all the details.
    data science certification malaysia

    ReplyDelete
  87. Good Post! Thank you so much for giving this pretty post. Data Science Course in Hyderabad

    ReplyDelete
  88. Chơi bạc nhớ theo giải hiện đang được nhiều lô thủ khác nhau áp dụng. Để có thêm thông tin về cách chơi này, bạn theo dõi những chia sẻ sau. bac nho theo giai

    ReplyDelete
  89. I definitely enjoying every little bit of it and I have you bookmarked to check out new stuff you post.data science course in malaysia

    ReplyDelete
  90. This post is incredibly simple to examine and recognize without disregarding any nuances. Inconceivable work!

    hrdf scheme

    ReplyDelete
  91. You re in motivation behind fact an on-target site administrator. The site stacking speed is amazing. It kind of feels that you're doing a specific trick. What's more, The substance is a masterpiece. you have done a marvelous development concerning this issue!
    360DigiTMG Data Analytics Course

    ReplyDelete
  92. It's really a nice and useful piece of information. I am satisfied that you shared this helpful info with us. Please stay us up to date like this. Thanks for sharing.

    If you are looking for the top security companies in London that provide its customer with remarkable security services. Check out our site for security services and Construction Site Security.We can help.

    ReplyDelete
  93. This post is incredibly simple to examine and recognize without disregarding any nuances. Inconceivable work!
    data science course delhi

    ReplyDelete
  94. I really enjoyed reading this blog. It was explained and structured with perfection; Best Digital Marketing Company in Delhi

    ReplyDelete
  95. I'm cheerful I found this blog! Every now and then, understudies need to psychologically the keys of beneficial artistic articles forming. Your information about this great post can turn into a reason for such individuals.
    cyber security course in malaysia

    ReplyDelete
  96. I'm cheerful I found this blog! Every now and then, understudies need to psychologically the keys of beneficial artistic articles forming. Your information about this great post can turn into a reason for such individuals.
    cyber security course in malaysia

    ReplyDelete
  97. If you don"t mind proceed with this extraordinary work and I anticipate a greater amount of your magnificent blog entries
    business analytics course

    ReplyDelete
  98. I am overwhelmed by your post with such a nice topic. Usually I visit your blogs and get updated through the information you include but today’s blog would be the most appreciable. Well done!
    Data Science Training in Hyderabad

    ReplyDelete
  99. It is extremely nice to see the greatest details presented in an easy and understanding manner.
    Best Institute for Data Science in Hyderabad

    ReplyDelete
  100. Thank you for posting informative insights, I think we have got some more information to share with! Do check out
    oracle training in chennai and let us know your thoughts. Let’s have great learning!

    ReplyDelete
  101. I've read this post and if I could I desire to suggest you some interesting things or suggestions. Perhaps you could write next articles referring to this article. I want to read more things about it!
    Data Science course in Hyderabad

    ReplyDelete
  102. 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.

    Data Science Training in Chennai


    Data Science Course in Chennai

    ReplyDelete
  103. Did you know that Solar Energy today is cheaper than Grid energy electricity? Or that the cost of energy from an Inverter or Diesel Generator is about 2~3 times more than the grid energy that is used to charge the batteries? Depending upon your consumer category and location, you could reduce your monthly bill by up to 40%, sometimes even more.

    https://www.loomsolar.com/collections/dealers-distributor-business-opportunities-in-india

    A solar system (with a battery system) of up to 10kW in a capacity that is installed at homes qualifies to be a residential solar system. The investment would be somewhere around Rs. 1,00,000 per kW. The electricity bills of a home are generally Rs. 1,000 per month. Installing a solar system in such an establishment could result in savings of Rs.8,400 per annum. The investment is expected to have an RoI (payback period) of ~10-11 years and the return on investments will be around 8%.
    You can become a Solar distributor and helps in sustaining the future by investing the Green energy.

    ReplyDelete
  104. Wow such an amazing content keep it up. I have bookmarked your page to check out more informative content here.

    SASVBA provides professional AI training course in Delhi with the help of industry experts. Artificial intelligence is a method of building a computer-controlled robot, computer, or software that thinks wisely as well as intelligently. It is science and technology-based on subjects such as computer science, biology, psychology, linguistics, mathematics, and engineering.

    FOR MORE INFO:

    ReplyDelete
  105. Learn Oracle Database Administration for making your career towards a sky-high with Infycle Technologies. Infycle Technologies gives the top Oracle DBA Training in Chennai, in the 200% hands-on practical training with professional specialists in the field. In addition to that, the placement interviews will be arranged for the candidates, so that, they can set their career towards Oracle without any struggle. The specialty of Infycle is 100% placement assurance will be given here in the top MNC's. To have the best career, call 7502633633 and grab a free demo to know more.
    No.1 oracle training in Chennai

    ReplyDelete
  106. Top AWS Training Institute in Chennai | Infycle Technologies

    Description:

    Do you know? Around 10 out of 8 students dream about a good job in the IT industry….. Is that possible today?? We will make it possible by just joining the AWS Training course in Chennai 'INFYCLE Technologies. So that you can build up your career dream to a good level. Not only training we are providing practical courses, team interview, HR Interview, Personal Interview & more else so that students can attend interviews without panic… For further details just dial 7502633633.

    Best AWS traiing in Chennai

    ReplyDelete
  107. Sankey Diagram is the best visualization to improve your SEO. Sankey diagram is a very useful visualization to show the flow of data.ChartExpo provides you a better and easiest way to create the Sankey Diagram in no time without coding only on few clicks. Sankey Visualization.

    ReplyDelete
  108. Emails Benefit? Well, it sounds weird but Benefit is a French brand of plastic known for its use in artificial nails. The Benefit brand originated in France and is popular all over the world, as artificial nails have now become more affordable. So, if you have any doubts about artificial nails then it's probably best that you check out Benefit. Whether you want cheap Benefit nails to spruce up your personal style or you want to buy a full set of 8 beautiful artificial nails for yourself then you are sure to find a range of brilliant nail colors, designs, and styles online right here that will have your feet looking stunning. Buy snapchat account

    ReplyDelete
  109. So, you have made it through the many obstacles of everyday life and are now a truly happy baby boomer. What are some things that you do in order to keep the same feeling and make it through these tough times? In this article I am going to list five things that I do every day that helps me to stay really happy:
    Buy snapchat account

    ReplyDelete
  110. Great Information sharing .. I am very happy to read this article .. thanks for giving us go through info.Fantastic nice. I appreciate this post.
    digital marketing courses in hyderabad with placement

    ReplyDelete
  111. I am genuinely thankful to the holder of this web page who has shared this wonderful paragraph at at this place
    best data science institute in hyderabad

    ReplyDelete
  112. Thank You for this wonderful and much required information Guidewire Implementation Services In USA

    ReplyDelete
  113. Awesome article. The writing style is very professional. If you are looking for Write my essay then follow the best writing platform available online.

    ReplyDelete
  114. oh i find the useful tip to make my work more effectively. thanks
    apk launcher
    скачать роблокс

    ReplyDelete
  115. Thank for sharing this, really appreciate it. I think this knowledge may usesul in the near future
    mini world
    joker wallpaper

    ReplyDelete
  116. It's really a nice and useful piece of information. I am satisfied that you shared this helpful info with us. Please stay us up to date like this. Thanks for sharing. Dtunnel
    kırık ekran

    ReplyDelete
  117. This post is very simple to read and appreciate without leaving any details out. Great work!
    data scientist course in malaysia

    ReplyDelete
  118. Nice knowledge gaining article. This post is really the best on this valuable topic.
    data scientist training and placement

    ReplyDelete
  119. I am impressed by the information that you have on this blog. It shows how well you understand this subject. data analytics course in surat

    ReplyDelete
  120. This is a great inspiring article.I am pretty much pleased with your good work.You put really very helpful information... data scientist course in surat

    ReplyDelete
  121. Thanks for sharing this information. I really like your blog post very much. You have really shared a informative and interesting blog post with people.. data analytics course in mysore

    ReplyDelete
  122. This is a great post. I like this topic.This site has lots of advantage.I found many interesting things from this site. It helps me in many ways.Thanks for posting this again. data science training in surat

    ReplyDelete
  123. I feel really happy to have seen your webpage and look forward to so many more entertaining times reading here. Thanks once more for all the details. data science course in kanpur

    ReplyDelete