Saturday, November 3, 2007


PATH_MAX simply isn't



Many C/C++ programmers at some point may run into a limit known as PATH_MAX. Basically, if you have to keep track of paths to files/directories, how big does your buffer have to be?
Most Operating Systems/File Systems I've seen, limit a filename or any particular path component to 255 bytes or so. But a full path is a different matter.

Many programmers will immediately tell you that if your buffer is PATH_MAX, or PATH_MAX+1 bytes, it's long enough. A good C++ programmer of course would use C++ strings (std::string or similar with a particular API) to avoid any buffer length issues. But even when having dynamic strings in your program taking care of the nitty gritty issue of how long your buffers need to be, they only solve half the problem.

Even a C++ programmer may at some point want to call the getcwd() or realpath() (fullpath() on Windows) functions, which take a pointer to a writable buffer, and not a C++ string, and according to the standard, they don't do their own allocation. Even ones that do their own allocation very often just allocate PATH_MAX bytes.

getcwd() is a function to return what the current working directory is. realpath() can take a relative or absolute path to any filename, containing .. or levels of /././. or extra slashes, and symlinks and the like, and return a full absolute path without any extra garbage. These functions have a flaw though.

The flaw is that PATH_MAX simply isn't. Each system can define PATH_MAX to whatever size it likes. On my Linux system, I see it's 4096, on my OpenBSD system, I see it's 1024, on Windows, it's 260.

Now performing a test on my Linux system, I noticed that it limits a path component to 255 characters on ext3, but it doesn't stop me from making as many nested ones as I like. I successfully created a path 6000 characters long. Linux does absolutely nothing to stop me from creating such a large path, nor from mounting one large path on another. Running getcwd() in such a large path, even with a huge buffer, fails, since it doesn't work with anything past PATH_MAX.

Even a commercial OS like Mac OS X defines it as 1024, but tests show you can create a path several thousand characters long. Interestingly enough, OSX's getcwd() will properly identify a path which is larger than its PATH_MAX if you pass it a large enough buffer with enough room to hold all the data. This is possible, because the prototype for getcwd() is:
char *getcwd(char *buf, size_t size);


So a smart getcwd() can work if there's enough room. But unfortunately, there is no way to determine how much space you actually need, so you can't allocate it in advance. You'd have to keep allocating larger and larger buffers hoping one of them will finally work, which is quite retarded.

Since a path can be longer than PATH_MAX, the define is useless, writing code based off of it is wrong, and the functions that require it are broken.

An exception to this is Windows. It doesn't allow any paths to be created larger than 260 characters. If the path was created on a partition from a different OS, Windows won't allow anything to access it. It sounds strange that such a small limit was chosen, considering that FAT has no such limit imposed, and NTFS allows paths to be 32768 characters long. I can easily imagine someone with a sizable audio collection having a 300+ character path like so:
"C:\Documents and Settings\Jonathan Ezekiel Cornflour\My Documents\My Music\My Personal Rips\2007\Technological\Operating System Symphony Orchestra\The GNOME Musical Men\I Married Her For Her File System\You Don't Appreciate Marriage Until You've Noticed Tax Pro's Wizard For Married Couples.Track 01.MP5"


Before we forget, here's the prototype for realpath:
char *realpath(const char *file_name, char *resolved_name);


Now looking at that prototype, you should immediately say to yourself, but where's the size value for resolved_name? We don't want a buffer overflow! Which is why OSs will implement it based on the PATH_MAX define.
The resolved_name argument must refer to a buffer capable of storing at least PATH_MAX characters.

Which basically means, it can never work on a large path, and no clever OS can implement around it, unless it actually checks how much RAM is allocated on that pointer using an OS specific method - if available.

For these reasons, I've decided to implement getcwd() and realpath() myself. We'll discuss the exact specifics of realpath() next time, for now however, we will focus on how one can make their own getcwd().

The idea is to walk up the tree from the working directory, till we reach the root, along the way noting which path component we just went across.
Every modern OS has a stat() function which can take a path component and return information about it, such as when it was created, which device it is located on, and the like. All these OSs except for Windows return the fields st_dev and st_ino which together can uniquely identify any file or directory. If those two fields match the data retrieved in some other way on the same system, you can be sure they're the same file/directory.
To start, we'd determine the unique ID for . and /, once we have those, we can construct our loop. At each step, when the current doesn't equal the root, we can change directory to .., then scan the directory (using opendir()+readdir()+closedir()) for a component with the same ID. Once a matching ID is found, we can denote that as the correct name for the current level, and move up one.

Code demonstrating this in C++ is as follows:


bool getcwd(std::string& path)
{
typedef std::pair<dev_t, ino_t> file_id;

bool success = false;
int start_fd = open(".", O_RDONLY); //Keep track of start directory, so can jump back to it later
if (start_fd != -1)
{
struct stat sb;
if (!fstat(start_fd, &sb))
{
file_id current_id(sb.st_dev, sb.st_ino);
if (!stat("/", &sb)) //Get info for root directory, so we can determine when we hit it
{
std::vector<std::string> path_components;
file_id root_id(sb.st_dev, sb.st_ino);

while (current_id != root_id) //If they're equal, we've obtained enough info to build the path
{
bool pushed = false;

if (!chdir("..")) //Keep recursing towards root each iteration
{
DIR *dir = opendir(".");
if (dir)
{
dirent *entry;
while ((entry = readdir(dir))) //We loop through each entry trying to find where we came from
{
if ((strcmp(entry->d_name, ".") && strcmp(entry->d_name, "..") && !lstat(entry->d_name, &sb)))
{
file_id child_id(sb.st_dev, sb.st_ino);
if (child_id == current_id) //We found where we came from, add its name to the list
{
path_components.push_back(entry->d_name);
pushed = true;
break;
}
}
}
closedir(dir);

if (pushed && !stat(".", &sb)) //If we have a reason to contiue, we update the current dir id
{
current_id = file_id(sb.st_dev, sb.st_ino);
}
}//Else, Uh oh, can't read information at this level
}
if (!pushed) { break; } //If we didn't obtain any info this pass, no reason to continue
}

if (current_id == root_id) //Unless they're equal, we failed above
{
//Built the path, will always end with a slash
path = "/";
for (std::vector<std::string>::reverse_iterator i = path_components.rbegin(); i != path_components.rend(); ++i)
{
path += *i+"/";
}
success = true;
}
fchdir(start_fd);
}
}
close(start_fd);
}

return(success);
}


Before we accept that as the defacto method to use in your application, let us discuss the flaws.

As mentioned above, it doesn't work on Windows, but a simple #ifdef for Windows can just make it a wrapper around the built in getcwd() with a local buffer of size PATH_MAX, which is fine for Windows, and pretty much no other OS.

This function uses the name getcwd() which can conflict with the built in C based one which is a problem for certain compilers. The fix is to rename it, or put it in its own namespace.

Next, the built in getcwd() implementations I checked only have a trailing slash on the root directory. I personally like having the slash appended, since I'm usually concatenating a filename onto it, but note that if you're not using it for concatenation, but to pass to functions like access(), stat(), opendir(), chdir(), and the like, an OS may not like doing the call with a trailing slash. I've only noticed that being an issue with DJGPP and a few functions. So if it matters to you, the loop near the end of the function can easily be modified to not have the trailing slash, except in the case that the root directory is the entire path.

This function also changes the directory in the process, so it's not thread safe. But then again, many built in implementations aren't thread safe either. If you use threads, calculate all the paths you need prior to creating the threads. Which is probably a good idea, and keep using path names based off of your absolute directories in your program, instead of changing directories during the main execution elsewhere in the program. Otherwise, you'll have to use a mutex around the call, which is also a valid option.

There could also be the issue that some level of the path isn't readable. Which can happen on UNIX, where to enter a directory, one only needs execute permission, and not read permission. I'm not sure what one can do in that case, except maybe fall back on the built in one hoping it does some magical Kernel call to get around it. If anyone has any advice on this one, please post about it in the comments.

Lastly, this function is written in C++, which is annoying for C users. The std::vector can be replaced with a linked list keeping track of the components, and at the end, allocate the buffer size needed, and return the allocated buffer. This requires the user to free the buffer on the outside, but there really isn't any other safe way of doing this.
Alternatively, instead of a linked list, a buffer which is constantly reallocated can be used while building the path, constantly memmove()'ing the built components over to the higher part of the buffer.

During the course of the rest of the program, all path manipulation should be using safe allocation managing strings such as std::string, or should be based off of the above described auto allocating getcwd() and similar functions, and constantly handling the memory management, growing as needed. Be careful when you need to get any path information from elsewhere, as you can never be sure how large it will be.

I hope developers realize that when not on Windows, using the incorrect define PATH_MAX is just wrong, and fix their applications. Next time, we'll discuss how one can implement their own realpath().

2,291 comments:

«Oldest   ‹Older   1801 – 2000 of 2291   Newer›   Newest»
KismatTech said...

KismatTECH

Mobignosis Blog said...



Visit www.https://mobignosis.com/android-training-bangalore/.com/.com!

360DigiTMG-Pune said...

The information you have posted is important. The objections you have insinuated was worthy. Thankful for sharing.
data scientist online course

sandeep said...

Amazing post shared by you. I submitted my brand new websites in all these blog submission sites and also going to submit my website in directory submissions you shared with us. Keep sharing this type of articles in the future to help new bloggers.

customercare

KismatTech said...

CG NET in Nepal | 120 Mbps Fastest and Cheapest Internet in Nepal

technical shakil said...

The Nova City, Islamabad, is an upcoming and emerging real estate housing project in the federal capital. Basically, this housing society is developed to provide a central location between twin cities with state-of-art-infrastructure at affordable rates. This project aims to target all budget genres of people of Pakistan.
https://sigmaproperties.com.pk/capital-smart-city/

Content Creator said...

Thankyou for this article. I hope you will like this alsoRole of Nutrition And Diet Plan.

Content Creator said...

Thankyou for this article. I hope you will like this alsoRole of Nutrition And Diet Plan.

Hanisan Healthcare said...

Nice Blog. Hanisan Healthcare is presenting third party manufacturing Pharma Company in Chandigarh. Our professional team is fully dedicated to the work and always comes with innovative medical solutions.

nayar said...

Great post. keep sharing such a worthy information
Software Testing Course in Bangalore
Software Testing Course in Hyderabad
Software Testing Course in Pune
Software Testing Training in Gurgaon

Unknown said...

We provide Popular Apks only. Easy to download & quick to install. PUBG mobile Mod Apk in a single click and enjoy premium features for free!Pubg Mobile Mod

rajhu said...

Netflix MOD APK (Unlock Premium) is a movie-watching app that includes the latest, exclusive, high-quality 4K movies. Just download and use.
Netflix mod apk

Village Talkies said...

Great information!!! Thanks for your wonderful informative blog.
Village Talkies a top-quality professional corporate video production company in Bangalore and also best explainer video company in Bangalore & animation video makers in Bangalore, Chennai, India & Maryland, Baltimore, USA provides Corporate & Brand films, Promotional, Marketing videos & Training videos, Product demo videos, Employee videos, Product video explainers, eLearning videos, 2d Animation, 3d Animation, Motion Graphics, Whiteboard Explainer videos Client Testimonial Videos, Video Presentation and more for all start-ups, industries, and corporate companies. From scripting to corporate video production services, explainer & 3d, 2d animation video production , our solutions are customized to your budget, timeline, and to meet the company goals and objectives.
As a best video production company in Bangalore, we produce quality and creative videos to our clients.

BrainStorm Home Tuition said...

Nice Blog. Brainstormhometuition is well known as home tutor in Mohali at affordable price. We have provide the quality work and talented tutors.

Anonymous said...

Nice Blog.Theconversionmill is top social media marketing agency in Georgia. We'll help you get there and grow the business. Our marketing strategy is more about results to help you grow into a market leader.

AchieversIT said...

Thank you for your blog , it was usefull and informative "AchieversIT is the best Training institute for Full Stack development training. Full Stack developement training in bangalore "

Akila said...

Great post. keep sharing such a worthy information  
Angularjs Training in Chennai   
 Angularjs Training in Bangalore    

Student Loan forgiveness said...

Estero Pressure Washing Lanai

Anilkumar said...

This blog gives more attractive information. i am really impressed with this blog.
Salesforce CRM Training in Velachery
Salesforce cloud Training Institute
HTML Training Institute

Destiny Mart said...

Thanks for sharing great post, I really like this post.

https://www.destinymart.in/best-air-purifiers/

Unknown said...

Want to do
Data Science Course in Chennai
with Certification Exam? Catch the best features of Data Science training courses with Infycle Technologies, the best Data Science Training & Placement institutes in and around Chennai. Infycle offers the best hands-on training to the students with the revised curriculum to enhance their knowledge. In addition to the Certification & Training, Infycle offers placement classes for personality tests, interview preparation, and mock interviews for clearing the interviews with the best records. To have all it in your hands, dial 7504633633 for a free demo from the experts.

admin said...

Bestlaptopcart.in is a blog for your daily needs and helps you to buy. If you buy directly from various sites sometimes we don’t have enough idea about these kinds of products. We are here to help you to clear the doubt about the various laptops from different brands.


Bestlaptopcart.in

laptop 35000 with i7 processor

Touch Screen Laptops 30000

Laptop 40000 i5 Processor

Laptop 1.5 Lakh

Touch Screen Laptop 60000

Best Laptop With Long Battery

admin said...

Check Our Latest Article:

Best Mixer Grinder Under 1500
Best Induction 2000 2021
Refrigerator 10000 2021
Best Mixer Grinder In India 2021
Refrigerator 25000 In India 2021
Mixer grinder 3000 - Kitchenguidence.in
Best Mixer Grinder Under 5000
Best Mixer grinders India 2021

Keep it up, thanks!

Python said...

Thanks for sharing.
Python Online Training

Techspot ideas said...

Now shop t-shirts online with your favorite superheroes, dramas, anime characters, and more at the best prices! Style with Kamizo Fashion Read More On Free Coupon Code Apply Here

astrologerrudra said...

In New York, Pandith Rudra had solved many love issues. He had more experience in love astrology that he injects every lover to love each other without any ego. our Best Love Specialist in New York, USA uses he supernatural power and vashikaran mantra to solve the dispute between two lovers and also husband & wife.

Top Astrologer in New York

360DigiTMG-Pune said...

Excellence blog! Thanks For Sharing, The information provided by you is really a worthy. I read this blog and I got the more information about
data scientist online course

Prajot Mali said...

also read my containt
Attitude Status

Barish Shayari Quotes

Mohabbat Shayari

Yaad Shayari Quotes

Hurt Shayari Sad Feeling

Raksha Bandhan wishes quotes

short shayari

Intezaar Shayari

Prajot Mali said...

wow great Gulzar ki shayari quotes

Dard bhari sad shayari

Love shayari status apke liye

Shayari on life

Republic Day Quotes

Gulzar Sahab ki shayari

Best Lines For Mother in Hindi

best Funny shayari

jane said...

Nice & Informative Blog ! If you are looking for the best lawyer to perform Court Marriage in Pauri Garhwal , Rajput & Legal Law Firm is the right place for you. Just call us on +91-9613134200 & solve any query related to court Marriage & marriage registration in Pauri Garhwal in less time. Our expert lawyer team makes sure to give you reliable marriage certificate for same-day court marriage at an economized rate.

Grecobe Green coffee In Singapore said...

To buy green coffee bean extract at an affordable price throughout Singapore. Please visit Greenkopi, Singapore's leading green coffee brand.

noviquelife said...

Nice Blog. Novique life is one of best PCD Pharma Company in Chandigarh. Our team is dedicated, flexible and provide better quality health care products.

Dilpreet Saggu said...

Great post, really nice content. I hope you like this too 👇☺️.
Shopify 2021
Make money at home
How to buy cryptocurrency in India in 2021
<a

Furocyst said...

For the Best Treatment for PCOS in India from Ayurveda that too at an affordable price, please visit Furocyst

Arslan Bhatti said...

Best Erotic Bonage Blindfolds Restraint We strive to have a positive impact on small to medium businesses, customers, employees, the economy, and communities. Surjmor bring together smart, passionate builders with different backgrounds and goals, who share a common desire to always be learning and inventing on behalf of our customers. With all the family of business that are a part of us, our goals is providing customers with the best service possible.

https://xxxtoys.top/

Internationalieltscenter said...

International Ielts Center is one of the Best English Speaking Courses in Chandigarh by experts at an affordable price. For more details please visit our website.

jane said...

Nice & Informative Blog ! If you are looking for the best lawyer to perform Tatkal Marriage in Deoband, Rajput & Legal Law Firm is the right place for you. Just call us on +91-9613134200 & solve any query related to court Marriage & Tatkal marriage registration in Deoband in less time. Our expert lawyer team makes sure to give you reliable marriage certificate for same-day court marriage at an economized rate.

sixphotosnuff said...

To order the finest quality Herbal Snuff online at an affordable price in India. Visit Six Photo Snuff now.

Prashant Baghel said...

https://www.worldtricks4u.com/2019/01/pubg-mobile-lite-app-download.html
https://www.worldtricks4u.com/2019/01/tiktok-worlds-most-valuable-startup.html
https://www.worldtricks4u.com/2019/01/xiaomi-redmi-note-7-launch-5-reasons.html
https://www.worldtricks4u.com/2019/01/redmi-y2.html
https://www.worldtricks4u.com/2019/01/xiaomi-redmi-note-7-launched-with-48mp.html

Free CSEET Online Classes said...

There is an amazing offer for you guys during this lockdown. To enhance your skills our institution is conducting CS executive classes and offering a free CSEET class and many more things to explore. To know more about this contact us or visit our website


Sahir Web Solution said...

Sahir Web Solution is one of the top App Development Company in Dubai serving international clients. To experience the best service at a reasonable price. Visit Sahir Web Solution now.

Softwaresmods said...

Thanks for sharing.
I found a lot of interesting information here.
A really good post, very thankful
and hopeful that you will write many more posts like this one.

समग्र आईडी

Shala Darpan

Govt.Schemes

Fantastic Game

Unknown said...


bookmarked!!, I like your site!

best interiors

The Unknown said...
This comment has been removed by the author.
The Unknown said...

SEO mafia Pro

Prashant Baghel said...

This is Prashant
I am a digital marketer
If you want to read some tech and hindi knowledge by blogs then click on below link -
1. https://www.worldtricks4u.com/
2. https://www.thequarter.com/

Mr.BRW said...

Download alight motion mod Pro apk

kishor said...

nices infomation kishorsasemahal

shreekavi said...

Nice blog! Thanks for sharing this valuable information
IELTS Coaching in Hyderabad
IELTS Coaching in Bangalore
IELTS Coaching in Pune
IELTS Coaching in Gurgaon
IELTS Coaching in Delhi

RR Developers said...

what are the major factors for a better performing of a laptop and more other concepts are to be clarified here about Best laptops under 60000 in India

hema said...


Great Post with valuable information. Thank you for the knowledge.
PHP Online Classes
online PHP course with certificate

hussain d said...

Good site you have here.. It’s hard to find quality writing like yours
nowadays. I seriously appreciate people like you! Take care!!
Python Training in Bangalore
AWS Training in Bangalore
UI Development training in Bangalore
Machine Learning Training in Bangalore
Machine Learning Training with Python in Bangalore
Data Science Using Python Training in Bangalore

SpiralTag said...

This is confusing

cloudbeginners said...

cloudtrail vs cloudwatch

cloudbeginners said...

azure networking
arm templates
azure notification hub
azure bastion host
app power bi
kubernetes dashboard
terraform cheat sheet

kishor said...

nices information thanku so much. this information
paidboom-hosting-review
kishorsasemahal
click here

Maruti Nandan said...

Advanced Technology

Unknown said...

IntelliMindz is the best IT Training in Bangalore with placement, offering 200 and more software courses with 100% Placement Assistance.

SAP GRC Online Training
SAP GRC Training in Bangalore
SAP GRC Training in Chennai

SAP QM Online Training
SAP QM Training in Bangalore
SAP QM Training in Chennai

Admin said...

latest deals

Joe Root said...

I truly thank you for the significant data on this incredible subject and anticipate more awesome posts. You're the best to enjoy this excellence article with me. I am welcoming it all that much! Anticipating another awesome article. Good fortunes to the creator! All the best!
For computer, laptop, mobile repair visit Computer Repair Allentown PA best service provider

benstock12 said...

Thanks for sharing this post with us. if you observe incorrect psk provided for network ssid issue and want to know how to solve this issue then visit https://fixingdata.org/fix-incorrect-psk-provided-for-network-ssid/

benstock12 said...

Thanks for sharing this post with us. if you want to know about incorrect psk provided for network said issue then visit incorrect psk provided for network ssid

benstock12 said...

Thanks for sharing this post with us. if you want to know what is ar zone app then visit what is ar zone app

benstock12 said...

Thanks for sharing this information with us. if you are seeking for the best iPhone repair services in Dubai at affordable prices then visit Iphone repair dubai

deepotech said...

gamestorrents
قصة قصيرة

Reshma said...

Great post. Thanks for sharing such a useful blog.
Features of R programming
R Programmers

UNIQUE ACADEMY said...

UNIQUE ACADEMY FOR COMMERCE provides FREE CSEET Video Lectures to All the Students on its YouTube Channel and UNIQUE ACADEMY Website
cs executive
UNIQUE ACADEMY

Tamil novels said...

Very useful article. Thanks for sharing.
Tamil romantic novels
Ramanichandran novels PDF
srikala novels PDF
Mallika manivannan novels PDF
muthulakshmi raghavan novels PDF
Infaa Alocious Novels PDF
N Seethalakshmi Novels PDF
Sashi Murali Tamil Novels

go web said...


Thanks For Sharing You're article It is very useful us
Satta Matka
satta matka trick
satta matka super fast
https://sattaguru.live

go web said...

Building the definitive guide for students and academics researching online education. Explore online degree programs, colleges, tech, trends, and more
Online and Classroom tuitions for CBSE, ICSE Coaching Center in Assam
Classmate online class
education in Assam
Assam Higher Secondary Education
Assam higher secondary education council
Assam higher secondary education council syllabus
High School Leaving Certificate
https://classmate-app.com

Techspot ideas said...

Who it's the Smoothie Diet for?
The Smoothie Diet is right for people that got to lose quite lot of weight during a short time and may work well for those eager to hamper on carbohydrates. It gives your body an opportunity to cleanse itself after possibly years of getting to affect processed, chemically laden food, or perhaps a diet which is high in sugar and fat. The gastrointestinal system gets a rest and as a result people on the Smoothie Diet report feelings of latest found energy and a healthier outlook on life.The Smoothie Diet

cloudbeginners said...

aws vpc
azure devops certification
azure load balancer
azure databricks
kubernetes dashboard

INFYCLE TECHNOLOGIES said...

Finish the Selenium Training in Chennai from Infycle Technologies, the best software training institute in Chennai which is providing professional software courses such as Data Science, Artificial Intelligence, Java, Hadoop, Big Data, Android, and iOS Development, Oracle, etc with 100% hands-on practical training. Dial 7502633633 to get more info and a free demo and to grab the certification for having a peak rise in your career.
Finish the Selenium Training in Chennai from Infycle Technologies, the best software training institute in Chennai which is providing professional software courses such as Data Science, Artificial Intelligence, Java, Hadoop, Big Data, Android, and iOS Development, Oracle, etc with 100% hands-on practical training. Dial 7502633633 to get more info and a free demo and to grab the certification for having a peak rise in your career.

Vijay kumar said...
This comment has been removed by the author.
Vijay kumar said...

100+ झूठे लोग शायरी in Hindi- जो झूठे लोगों पर बैठती है फिट

Harsh Talreja said...

Best CPU Under 10000

wethink said...

We offer a wide range of solutions like Debt Management Services, Debt Counseling, Debt Consolidation, Debt Settlement, Web Designing, Financial Service & Global Business Solutions and many more…
Wethinksolution
mobile app

Digi Mark said...

hi, nice post. We provide best demat account in india

Link Up said...

Thanks for sharing your post.
Doctor Address.

Valluva said...

payroll software
organic chemistry tutor

KITS Technologies said...

java training
online training in java

Ajaypal Singh said...

"This is really interesting, you are such a great blogger. Visit Royal Digitech for creative and professional website design and Digital Marketing in Sirsa
and Also get Digital Marketing Course in Sirsa
"

Michael Miler said...

Trade Stocks, Forex, And Bitcoin Anywhere In The World: roboforex login Is The Leading Provider Of Software That Allows You To Trade On Your Own Terms. Whether You Are Operating In The Forex, Stock, Or Cryptocurrency Markets, Use roboforex login Software And Anonymous Digital Wallet To Connect With The Financial World.: roboforex login Is A Currency Trading Company That Allows You To Trade Stocks, Forex, And Cryptocurrency.

Dr.Shah Clinic said...

Std clinic in chennai
Erectile dysfunction treatment in chennai
Premature ejaculation treatment in chennai
Small penis size treatment in chennai
Ivf clinic in chennai

pratik said...

Very Nice Post, I learned a lot through it. Thanks for posting. Thank you!! For sharing this amazing article with details.
I bookmarked your site for the further update.
Here My website for SEO Company in Thane

bgbg said...

Its a good piece of script something not found else where just like the fantastic soundbars and headphones which can be seen on Buy.Guru

seo training institute said...

Whatsapp Number Call us Now! 01537587949
outsourcing
iphone repair USA
careful
Company Registration Bangladesh
Freezing Ambulance Service

Rare Stamps Online said...

Hello sir..
Thank you for sharing such valuable information, I really enjoyed it a lot and now looking forward to more of it. Please suggest me some of your blogs,

If you love to collect old and antique British Empire Stamps and are looking for it, You should visit our website once. I am sure you would like it.

aaryan said...

openshift certification
azure data engineer certification
aws solution architect training
azure solution architect certification

Karthikbk said...

MSBI Training in Chennai
power bi certification training
Docker Training in Chennai
Ios Application Training In Chennai
Best Software training institute
Android Application Training In Chennai
Informatica training in Chennai
Xamarin Training in Chennai

Karthikbk said...

MSBI Course Training in Chennai
power bi certification training
Docker Training in Chennai
Ios Application Training In Chennai
Best Software training institute
Android Application Training In Chennai
Informatica training in Chennai
Xamarin Training in Chennai

nani said...
This comment has been removed by the author.
Jajkan said...

Debit Card Meaning in Hindi

Devid Stewart said...

If you are struggling with your work, if you have got a looming deadline, or if you wish longer to revise, then a essay writing service

is simply what you need. there's no ought to go anyplace sort all assignment help on your google search bar and post your question here.
We've got a team of extraordinarily skillful essay typers who will mildew the essay as per your requirements. we tend to forever tried to

supply essay writing services in UK to the coed and cut back the tutorial pressure from their shoulders.


assignment writer
assignment writing service
assignment help
assignment help expert

bruce wayne said...

Great blog.thanks for sharing such a useful information
Big Data Hadoop Training

bruce wayne said...

Great blog.thanks for sharing such a useful information
AngularJS Training

Kane416 said...


The blog was really Excellent Keep up the good work.....
Best event management companies in chennai

ani321india said...


good morning shayari



shayari in hindi

sindokht said...

یکی از ابزارهایی که برای درمان موخوره استفاده می شود، شامپو است. https://blog.sindokht.com/best-shampoo-for-split-ends/ را می توانید از سایت سین دخت خریداری نمایید.

Digital Marketing And GMC Expert said...

Visit seoaslogtech.com!

Rehanous said...

Nice Article Wriiten Sir Please Suggest Me On My Article How To Write Good Article Like Your Blog
PPSSPP Gold Apk Download

Kane416 said...


The blog was really Excellent Keep up the good work.....event organisers in chennai
Best event planners in chennai

bruce wayne said...

Great blog.thanks for sharing such a useful information
Salesforce CRM Training in Chennai

Anonymous said...


techfolder

Anonymous said...


xenius

Unknown said...

Employee assistance programs boost employee productivity, job performance, and job satisfaction by helping them improve their skills, performance, and attitudes. You can learn about Employee assistance programs at HopeQure. Visit:- https://www.hopequre.com/blogs/Know-the-benefits-of-the-Employee-Assistance-Program-360

Ravi Muchhal said...

Nice post Gaming Gadget Gadget for Gamers

Elango said...

Excellent Blog to read. You have shared a useful information. Thank you.
Ranorex Test Automation Online Certification
Ranorex Test Automation Online Training

Unknown said...

Employee assistance programs boost employee productivity, job performance, and job satisfaction by helping them improve their skills, performance, and attitudes. Employee Asistant program

Karthik said...

Blog detailing is meaningful. Thanks.
Best Online Swift Course
Swift Online Course

Unknown said...

Top 4 Reasons why people prefer Online Therapy to In-person Therapy. In recent times, from ordering food to seeking healthcare within clicks, the online world has grown more than ever for good. Advantages of online therapy

Malini said...

Thanks for sharing..
Job assured training course in chennai

job oriented courses in Chennai

Job Assured Training in Chennai

Job Oriented Training in Chennai

Unknown said...

Thanks for provide great informatic and looking beautiful blog, really nice required information & the things I never imagined and I would request, wright more blog and blog post like that for us. Thanks you once again !!

https://unmcq.com/neet

Tutorials said...

Nice article with valuable information. Thanks for sharing.

Python training in chennai with placement | Python certification course in Chennai

Dummy said...

Latest Free Ringtones Download
Latest Free Telugu Ringtones

Cash App Won't Let Me Send Money said...

Look at vital techniques to resolve cash app transfer failed issues:

People using the cash app must know about the vital techniques that will help them to resolve the Cash app transfer failed issues. Many of them encounter troubles when they become conscious about the inability of transaction practices on the cash app. however, users should speak to the experts for instant removal of the problems existing with the cash app account to let them transfer money quickly. Techniques to resolve Cash app won't let me send money issue:

Manikandan said...

Excellent Blog to read. You have shared useful information. Thank you.
.Net Training in Chennai
DOT NET Course in Chennai

Vishal said...

Bestfive

Bestfive

Unknown said...

payroll software
Chemistry Online Tutor
Thank you for sharing
MM

Nicholas Dakin said...

Among Us MOD APK Download For Free Among Us MOD APK

yogesh said...

https://intellimindz.com/sap-ariba-online-training/
https://intellimindz.com/qlikview-online-training/
https://intellimindz.com/etl-testing-online-training/
https://intellimindz.com/power-bi-online-training/
https://intellimindz.com/sap-ehs-online-training/

Lokeswari said...

Gathered lots of information here, do share more updates.

internship meaning | internship meaning in tamil | internship work from home | internship certificate format | internship for students | internship letter | Internship completion certificate | internship program | internship certificate online | internship graphic design

Unknown said...

Join House Of Borse Review Today And Enjoy A Simple And Secure Forex Trading Experience. Learn What Aximtrade Can Do For You And How It Can Help You Achieve Your Trading Goals. Click Here To Learn More.

Techystick said...

cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
cloudkeeda
what is azure
azure free account

Hussey said...

Happy to read the informative blog. Thanks for sharing
IELTS Coaching Center in Chennai
best ielts coaching centre in chennai

Unknown said...

We are observing educational foundations adjusting these advancements into their frameworks and depending on gathering assets and components to improve the understudy life. Visit:- Instagram marketing

Reshma said...


Wonderful post and more informative!keep sharing Like this!
Importance of Tally Software
Why Business needs Tally Software

Hussey said...

Really nice blog. thanks for sharing
python training centre in chennai
best python institute in chennai


Credo Systemz said...

very interesting to read. Python Training in Chennai

Easy Loan Mart said...

Hi....
If you're just starting out with C coding, you probably haven't used preprocessor directives beyond #include and the occasional #define .
You are also read more About Home Loan

Unknown said...

A Boutique Management Consulting Outfit Providing Actionable Insights
& Strategic Advisory to Clients. http://www.welsh-consultants.com/

Unknown said...

A Boutique Management Consulting Outfit Providing Actionable Insights
& Strategic Advisory to Clients
Consultancy

Unknown said...

Thanks for the interesting content. I like your post and your blog is amazing.
เก็บเก็บเลเวลภาพสวย

Business Services said...

premier medical billing services
gopro price in pakistan
daniel radcliffe net worth

Unknown said...

Nice Blog. Thanks for sharing.
Brussels News

Unknown said...

Nice Blog. Thanks for sharing.
zakat calculator

Unknown said...

ONLEI Technologies
Python Training
Machine Learning
Data Science
Digital Marketing
Industrial Training In Noida
Winter Training In Noida
IT Training

Unknown said...

Your content is very informative and helpful.
Liverpool news

Unknown said...

Your content is very informative and helpful.
boxing news

smarttech said...

Thank you for providing such useful information.
free online coding classes for kids chennai

Dan peterson said...

What do you know, When cleaning files from a Windows Operating System (OS), you are halted with errors relating to the filename or the file path being too long.
This is due to a 255/260 character limit on Windows Operating Systems preventing the files in a directory from being removed.
You can used Long path tool/software!

Hussey said...

Happy to read the informative blog. Thanks for sharing
best training institute for selenium in chennai
best selenium testing training in chennai

Prashant Baghel said...

https://www.worldtricks4u.com/p/super-tet-btc-merit-calculator.html

rawathinata said...

Hello, Thanks for sharing the blog on 5 amazing places to visit inttarakhand.
I really liked your blog and I hope you will share more information about
Uttarakhand Tour Packages.
Best Hotal in Shivpuri Rishikesh

Dan peterson said...

"Long path tool" is the best popular program. Sometimes you get an error when trying to move, delete, or copy directories where the character count for the file path is more than 260.

David Fincher said...

This post is so interactive and informative.keep update more information...
Software testing Training in Velachery
Software testing training in chennai

TextSpeed said...

You're so fascinating! I don't believe I've ever read anything like that before. It's really refreshing to come across someone who has some unique perspectives on this subject. Thank you for getting things started. This weblog is exactly what the internet needs: someone with a little bit of creativity!

bulk WhatsApp service provider in Chennai
bulk SMS price in Chennai
bulk SMS provider Chennai
bulk SMS service provider in Chennai
Chennai bulk SMS
best bulk SMS service provider in Chennai
bulk SMS in Chennai
bulk SMS service in Chennai

David Fincher said...

This post is so interactive and informative.keep update more information...
dot net training in T Nagar
Dot net training in Chennai

Oliver said...

We have a daily Thousands of unique visitors which come for information about online forex brokers, investing, economic news and currency trading in general. In the Online Stock Broker search results you can find the best online forex brokers sorted by various criteria and we keep those results up to date at all times.

ben said...






donate for poor child
sponsor a child in need
volunteer in orphanage

Anonymous said...

Thanks for sharing such nice info. I hope you will share more information like this. please keep on sharing!

Python Training In Bangalore | Python Online Training

Artificial Intelligence Training In Bangalore | Artificial Intelligence Online Training

Data Science Training In Bangalore | Data Science Online Training

Machine Learning Training In Bangalore | Machine Learning Online Training

K amit said...

Roomkit helps to get you the best tech products online
Best gaming laptop under 1.5 lakh in India
Best gaming laptop under 1 lakh in India
Best dishwasher in India
Best washing machine
Best ac brands in India
Best refrigerator brands in India
Best OTG oven in India
Best home theater under 10000 in India
Best gaming chair in India

oceansoftwares said...

This blog is a great source of information which is very useful for me. Thank you very much for sharing this!
Best UI/UX Design Companies in Chennai
Web design company in Chennai
website Re-design in chennai

Unknown said...

ONLEI Technologies
Internship
Best Online Python Certification Course
Best Online Data Science Certification Course
Best Online Machine Learning Certification Course

Insta Mp3 said...

Really To Good Information Thank you so much share this information<a href="https://nullwpscript.com/>WordPress Themes Free Download </a>

Ajay said...

KMSpico Activate Windows 7/8/10/11

Pavithra Devi said...

Such a good post .thanks for sharing
PHP Training in Porur
PHP Training in Porur

Günlük Burç Yorumları said...

Günlük Burç Yorumları

Unknown said...

The information you have updated is very good and useful, please update further.

Audit Firms in Dubai

shubham said...

Download latest movies tv-shows and webseries moviebaba.

neusedaily said...

Really useful information Trending Tech

neusedaily said...

Check latest Tech

https://truviconline.com/ said...

This Blog is very interesting. Thank you for sharing
Managed IT Services
Laptop Repair & tablet Repair
Computer Repair & Mobile Repair

Pavithra Devi said...

This post is so interactive and informative.keep update more information...
Ethical Hacking Course in Tambaram
Ethical Hacking Course in Chennai

sitheshwaran said...

Really informative blog post. Much thanks again. Keep writing.

photoshoot in Andaman
photographers in andaman
photoshoot at andaman
andaman photoshoot
pre wedding shoot in andaman
photoshoot in havelock Andaman


Avinash Sahni said...

social media jobs

Somalia said...

Alight Motion is the most powerful video editor, Source: https://www.alightmotion.one/mod/

shamsul said...
This comment has been removed by the author.
shamsul said...

Really helpful

mgowrimagalingam@gmail.com said...

aws with big data training
python training in chennai

Praveen Kumar said...

Amazing and Interesting content. Thanks for sharing your information. Keep share more like this.
ERP Development Companies in Chennai
web application development company in chennai
ios app development company in chennai

Matt Reeves said...

Great post. Thanks for sharing such a useful blog.
java training in velachery
java training institute in velachery


Matt Reeves said...

This post is so interactive and informative.keep update more information…
Web Designing Course in anna nagar
web designing course in anna nagar chennai

md said...

Free Study Material

md said...

Upsc Jpsc Ssc

md said...

Current Affairs Hindi

Saravanan said...

Best Aws Training in Bangalore along with placement support for more details visit trishana technologies website, trainers are experienced with industry standards. certification based training in the market,
Best Aws Training in Bangalore

Saravanan said...

Best DevOps Training in Bangalore along with placement support with real-time training, for more details visit trishana technologies website, we follow certification standard of Aws
Best DevOps Training in Bangalore

Saravanan said...

Best React js Training in Bangalore along with placement support with industry standard for more details visit our website. follow standard training with projects
Best React js Training in Bangalore

Saravanan said...

very use full comments
Best Aws Training in Bangalore
Best DevOps Training in Bangalore
Best React js Training in Bangalore
Trishana Technologies
Tech talk planet

Why NVIDIA SHIELD TV is Best
Best Cameras for youtube

CHEAP WEBSITE HOSTING SERVICES IN 2022

Best Gaming Laptop Under 1000 Dollars

Prashant said...
This comment has been removed by the author.
Prashant said...

learn digital marketing and web design in Delhi with job placement
E- accounting course
Digital Marketing course
Web Design course
software development course

IceMakersZone said...

Get yourself the best ice makers with freezer compartment on IceMakersZone.

IceMakersZone said...

If you are a camping lover and looking for a best ice maker for your RV to travel and explore new places then this might be the best website for you: IceMakersZone

Mani said...

Construction in Chennai
Building Renovation in Chennai
Construction Companies in Chennai
Civil Contractors in Chennai
CCTV Camera Services in Chennai
MR Finserv

Mani said...

Hit Trans
Advocates in Chennai
Divorce Case Lawyers in Chennai
De Addiction Centre in Chennai
Spark Equipments
Office Cleaning Serviuces in Chennai
Laptop Services in Chennai

Mani said...

MKS Furniture
Mars Sterile
De Addiction Centre in Chennai
Gal Windoors
Tiles Dealers in Chennai
Post Forming Shutters in Chennai
Turnkey Contractor in Chennai

Mani said...

Best Tattoo Shop in Chennai
PVC Blister Manufacturer in Chennai
Building Construction in Chennai
Best Building Contractors in Chennai
2d Plan Services in Chennai
CCTV Dealers in Chennai

Mani said...

Best Wedding Photographer in Chennai
JP Fire Safety Equipment
Green Home
Om Doors & Wood Works

Bhavesh Patil said...

Digital Marketing Blog

Praveen Kumar said...

Thanks for sharing information. Keep share more.
best hotels to stay in yercaud
best place to stay in yercaud
cheap and best hotels in yercaud
cheap hotels in yercaud

Asus said...

Really useful information. Thank you so much for sharing.It will help everyone.Keep Post unique facts in hindi

Matt Reeves said...

This post is so interactive and informative.keep update more information...
Artificial Intelligence Course in Tambaram
Artificial Intelligence Course in Chennai

Matt Reeves said...

Mindblowing blog very useful thanks
DevOps Training in Porur
DevOps Training in Chennai

Praveen Kumar said...

Really appreciate your article. Thanks for sharing. Keep share much more.
couple friendly hotels in yercaud
yercaud residency
hotel in yercaud tamil nadu
hotels in yercaud for family

BANUyw said...

The application market has exploded recently, with millions of people creating their own applications using the Apple App Store and Google Play. These apps can range from your everyday calculator app to games that are available on almost any device. But how do these programmers create an app and make money?
https://ywbanu.com/how-to-create-an-app-and-make-money/

TheBEGlobal said...

Nice Blog, Every organization wants to get the maximum rate of interest (ROI) from the marketing strategy they have invested in. It gets possible with customized SEO packages in Dubai where you get assistance in marketing according to your company requirement. The SEO services aid in achieving the top position in the market by using the white hat and ethical methods. When an organization invests properly in SEO services then surely it gets the desired outcome.

tripnomadic said...

Nice Blog, Do you want to know about Manipur tourist places? Allow us to help you out! Manipur is a beautiful state located in India which is perfect for tourism and vacation. The natural and scenic beauty of this place makes it a heavenly visit. Some of the most famous tourist locations in Manipur are the Keibul Lamjao National Park, Kangla Fort, Manipur state museum and Singda Dam. Manipur is one of the best places to visit with your children and family.

OpinionWorld said...

Best Travel Company in USA


There is no one-size-fits-all best travel insurance company in USA 2022 policy since they are suited to your individual needs. You should also research and make sure you are purchasing travel insurance company in USA 2022 from a reputable company.

Money making Online said...

Rytr Review: Rytr is a content marketing software that helps you create blog posts, social media posts, and other types of content for your business. It has a variety of features that help you manage your marketing campaigns and it aims to make content creation easier.
Affiliate Marketing

Email Marketing

«Oldest ‹Older   1801 – 2000 of 2291   Newer› Newest»