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,289 comments:

«Oldest   ‹Older   1601 – 1800 of 2289   Newer›   Newest»
Sanjit Modak said...

Free Recharge Trick 100%Free https://www.rechargetrick.online

Venkatesh CS said...
This comment has been removed by the author.
Anonymous said...

I read your blog, Thanks for sharing this informative blog.

https://www.sevenmentor.com/best-python-classes-in-pune.php

My Safari Dubai said...

Leave the city behind & drive with us for a Thrilling drive over the Desert Dunes & Experience a lavish dinner with amazing shows in our Desert Camp. desert safari dubai deals

BtreeSystem Training said...

btreesystems
aws training in chennai
Python training in Chennai
data science training in chennai

عرب للمعلوميات said...

https://islamical.blogspot.com/2020/08/internet-speed.html
https://islamical.blogspot.com/2020/03/biss-hd.html
https://islamical.blogspot.com/2020/01/best-android-apps.html
https://islamical.blogspot.com/2020/02/filelinked-firestick.html
https://islamical.blogspot.com/2020/03/stalker-player-for-android.html
https://islamical.blogspot.com/2020/02/atlas-iptv.html
https://islamical.blogspot.com/2019/10/maps-me-pro.html
https://islamical.blogspot.com/2019/10/Best-android-apps.html
https://islamical.blogspot.com/2019/10/f-droid.html

aasik said...

huuuh amazing, really it is a useful article, thanks for sharing. Real estate dubai

Unknown said...

btreesystems
chennai to bangalore cabs

delfen said...

This blog is the general information for the feature. You got a good work for this blog.We have a developing our creative content of this mind.Thank you for this blog. This for very interesting and useful.

Data Science Training in Chennai

Data Science Training in Velachery

Data Science Training in Tambaram

Data Science Training in Porur

Data Science Training in Omr
Data Science Training in Annanagar

ICSS Bangalore said...

Nice blog.Check this Python Training in Bangalore

ICSS Bangalore said...

Nice Post.Check this Best Python training institute in Bangalore

Independence Day said...

mycomputertoday

naveen said...

This is a very interesting article thanx for your knowledge sharing.This is my website artificial intelligence-related .so one-time visite on my website.you are now grate job. and good knowledge sharing.thank you so much.
http://www.mechanicalzones.com/2019/12/artificial-intelligence.html/

Independence Day said...

mycomputertoday

Unknown said...

best Best Smile Status in Bengali

Unknown said...

https://zulqarnainbharwana.com/southampton-f-c/

Tamil Novels Free Download said...

Tamil Novels Free To read Online and Free To Buy too many Novels For free .Tamil Novels Pdf Tamil Books one best Tamil Novels and its give some entertainment and mind relax.

Tamil Novels Writers
Tamil Novels Pdf
Pdf Books In Tamil
SM Novels
Tamil Novels Free
Tamil Novels Read Online

Shayari Sad said...

Bewafa Status in Hindi
Status

NewBlogStart said...

acciotalks

NewBlogStart said...

gamming room setup

NewBlogStart said...

https://acciotalks.com/top-10-ultimate-gaming-room-setup-ideas/

UB said...

it was very nice information.Thanks

Admin said...

https://petnameideas.net/australian-dog-names/
Siamese cat names for kittens
Visit this website

আবিদ হাসান said...

For lead Generetion Contract me.

Kashi Digital Agency said...

Seo company in Varanasi, India : Best SEO Companies in Varanasi, India: Hire Kashi Digital Agency, best SEO Agency in varanasi, india, who Can Boost Your SEO Ranking, guaranteed SEO Services; Free SEO Analysis.

Best Website Designing company in Varanasi, India : Web Design Companies in varanasi We design amazing website designing, development and maintenance services running from start-ups to the huge players


Wordpress Development Company Varanasi, India : Wordpress development Company In varanasi, india: Kashi Digital Agency is one of the Best wordpress developer companies in varanasi, india. Ranked among the Top website designing agencies in varanasi, india. wordpress website designing Company.

E-commerce Website designing company varanasi, India : Ecommerce website designing company in Varanasi, India: Kashi Digital Agency is one of the Best Shopping Ecommerce website designing agency in Varanasi, India, which provides you the right services.

Facebook Youtube Viral Platform said...

Hi buddy! Awesome sharing with full of information I was searching for.your complete guidance gave me a wonderful end up. great going.
Best Wishes from
modern bed design images

Free fire Diamond said...

Thanks for the great article
how to get 90 fps in pubg mobile global version


ipl 2021


allwish.me

prosoftlink said...

Nice Work thanks for sharing
scracked
Linkcracked
prosoftlink
linprovst
xcrackmac

xcrackmac said...

Nexus VST Crack
Serum VST Crack
Antares AutoTune Crack

আবিদ হাসান said...

I'm a long-serving digital marketing professional and full-service as a social media marketing manager. I'm offering services at a competitively low cost. I have experience in keyword research, Article writing or Rewriting, Guest posting, B2B Lead Generation , Data Entry ,link building, web 2.0 backlink ,
Video submission. I have 5 years of experience in the field and are assured of delivering High Quality and manual work. I have my own site name as AbidhTech.

Unknown said...

barcelona

Mahnoor tech said...

Wow, amazing articleKeep working. Here is a detailed article on Generating QR code. Thankyou.

saketh321 said...

Welcome to the party of my life here you will learn everything about me. ExcelR Data Science Course In Pune

Cubestech said...

Thanks for the posts,

"Best ERP software company in chennai
ERP service provider in Chennai
ERP services in chennai"

VK Guru said...

Osm post https://www.techyknowledge.tech/?m=1

Unknown said...

JASHABHSOFT takes software outsourcing to a new level of reliability, security and professionalism in software development services.

Fresh Talk said...

sd movies point

Fresh Talk said...

uwatchfree

Kashi Digital Agency said...

Seo company in Varanasi, India : Best SEO Companies in Varanasi, India: Hire Kashi Digital Agency, best SEO Agency in varanasi, india, who Can Boost Your SEO Ranking, guaranteed SEO Services; Free SEO Analysis.

Best Website Designing company in Varanasi, India : Web Design Companies in varanasi We design amazing website designing, development and maintenance services running from start-ups to the huge players


Wordpress Development Company Varanasi, India : Wordpress development Company In varanasi, india: Kashi Digital Agency is one of the Best wordpress developer companies in varanasi, india. Ranked among the Top website designing agencies in varanasi, india. wordpress website designing Company.

E-commerce Website designing company varanasi, India : Ecommerce website designing company in Varanasi, India: Kashi Digital Agency is one of the Best Shopping Ecommerce website designing agency in Varanasi, India, which provides you the right services.

NewBlogStart said...

Healthymend

kirankumarpaita said...

software testing company in India
software testing company in Hyderabad
Thanks for providing such a great information with us.
Very informative post.
keep sharing.

Himanshu Goyal said...

Hi! I'm a Himanshu Job Consultancy. & I just wanted to give you a quick shoutout and say your content is amazing can you recommend any other for that go over the same topics? Thanks a ton!

deepa bahuguna said...

thanks for the nice article keep up the good work

BTree Systems, Software (IT) Training Institute said...

Best lms software
Best virtual classroom
zoom alternative
best learning management system
online learning management system software
google meet alternative

Himanshu Goyal said...

Hi! I'm a Himanshu CV Writing Services. & I just wanted to give you a quick shoutout and say your content is amazing can you recommend any other for that go over the same topics? Thanks a ton!

RV said...

https://codifyshow.com/

jhansi said...

Hadoop is an open-source software framework for storing data and running applications on clusters of commodity hardware. It provides massive storage for any kind of data, enormous processing power and the ability to handle virtually limitless concurrent tasks or jobs.

tally training in chennai

hadoop training in chennai

sap training in chennai

oracle training in chennai

angular js training in chennai

Khan said...

The best female photography studio with modern photography 로또예상번호

Prashant Baghel said...

Good Post! Thank you so much for sharing this pretty post, it was so good to read and useful to improve my knowledge as updated one
प्रधानमंत्री आवास योजना लिस्ट 2020 - 2021 की नई लिस्ट में नाम कैसे देखें
Free fire game download jio phone via playstore

Prashant Baghel said...

Really useful information. Thank you so much for sharing.
Best Shoe Guide
5 best running shoes for heavy female runners
Top 5 best running shoes for morton's neuroma

caring said...

this is very helpful for me visit

Independence Day said...

Online Shiksha

Unknown said...

Get Work buddy.
Flipkart Quiz Answers.
Thanks
- Cashback Beta

NewBlogStart said...

Janawaznews

Cubestech said...

Wow, Thats professional knowledge shared via blog.
Thanks & cheers!

"Best mobile app development service in chennai
Best ERP software solutions in chennai
Digital Marketing Agency in Chennai
Best web development company in chennai"

start said...

I am also a blogger Click here

Free-Ka-Maals said...

This is the exact information I am been searching for, Thanks for sharing the required infos with the clear update and required points. To appreciate this I like to share some useful information regarding Microsoft Azure which is latest and newest,

Unknown said...

Flash Dryer Manufacturers in India - http://shreesaiequipments.in/flash-dryer-manufacturer-in-india.html

FilmySpace said...

Hey Guys This Post Is Really Awesome. And If You Are Looking For Best New And Latest Movies Downloading Website Then Visit Our Website Filmy4wap https://ww3.filmy4wap1.online And Download Latest Movies In Just One Click

Cubestech said...

Thanks for the lucid content. Your knowledge on the subject and dedication is of prime importance.

"Best mobile app development service in chennai
Best ERP software solutions in chennai
Digital Marketing Agency in Chennai
Best web development company in chennai
"

go web said...

wonderful blog!!
Thank you so much for sharing this informative blog
web design company Kolkata
https://www.gowebs.in/web-design-kolkata

accounting said...

If the above solutions do not resolve your QuickBooks error 1920, you can through the discussions and queries that are related to the issue on the Intuit QuickBooks Community; connect with QuickBooks Support Phone Number to connect with Tech Experts directly.

FutureTech Softwares said...

HEY EVERYONE I would like to introduce one of the best Ayurveda online shop for Piles treatment.. kindly do visit once. ..
HARCWORLD

Keerthi SK said...

The Article is good, really helpful and knowledge attaining

Sofa Cleaning Services in Chennai
Sofa Renovation in Chennai
Sofa Repair in Chennai
Sofa Upholstery in Chennai
Car Seat Upholstery in Chennai

deepa bahuguna said...
This comment has been removed by the author.
deepa bahuguna said...

Thanks for the informative article keep up the good work
Emma Watson Biography

NewBlogStart said...

https://everydayread.in

NewBlogStart said...

everydayread

Birwaz op test said...

The Free Hearth Mod Menu APK is Only a modded Variant of the game Garena No Cost Hearth. It’s by far the most sought after arcade game app by gamers since it permits them to inject different features like auto aim, higher rate, teleportation, amongst the others, which makes it simpler to allow them to progress in positions and battle. FREE FIRE HACK thanks ....

FREE FIRE DIAMONDS UNLIMITED thanks ....

Click Here For Visit My Site thanks ....

Temp Mail Mod thanks ....

PUBG MOBILEHACK thanks ....

pubg mobile esp hack thanks ....

Click Here For Visit My Site thanks ....


Click Here For Visit My Site thanks ....


Click Here For Visit My Site thanks ....


Click Here For Visit My Site thanks ....

Birwaz op test said...

The Free Hearth Mod Menu APK is Only a modded Variant of the game Garena No Cost Hearth. It’s by far the most sought after arcade game app by gamers since it permits them to inject different features like auto aim, higher rate, teleportation, amongst the others, which makes it simpler to allow them to progress in positions and battle. FREE FIRE HACK thanks ....

FREE FIRE DIAMONDS UNLIMITED thanks ....

Click Here For Visit My Site thanks ....

Temp Mail Mod thanks ....

PUBG MOBILEHACK thanks ....

pubg mobile esp hack thanks ....

Click Here For Visit My Site thanks ....


Click Here For Visit My Site thanks ....


Click Here For Visit My Site thanks ....


Click Here For Visit My Site thanks ....

saira said...

This is the very good post. Thanks for sharing with us.

Financial modelling outsourcing

Financial modelling outsourcing

Financial modelling outsourcing

Financial modelling outsourcing

Financial modelling outsourcing

Financial modelling outsourcing

savas said...

Wonderful post, very informative. I wonder why the other experts of this sector do not notice this. You must continue your writing.
Thanks for sharing excellent informations.
Please visit my sites Also.
You can get a lot of information.

1) http://www.tzinfo.co.kr/bbs/board.php?bo_table=works&wr_id=303789
2) http://springmchurch.com/bbs/board.php?bo_table=0505&wr_id=1914&page=32
3) http://web004.dmonster.kr/bbs/board.php?bo_table=b0402&wr_id=5
4) http://goyangprint.com/bbs/board.php?bo_table=estimate&wr_id=18646
5) http://www.ilsin-fa.co.kr/bbs/bbs/board.php?bo_table=freeboard&wr_id=530840&page=0&type=&sca=&sfl=&stx=&sst=&sod=&spt=0&page=0

Links Indexing said...

Thanks for this valuable information. Also read, Tips to Save Money During College Days.

start said...

Very informative content but check this article it is very informative too
https://techycentre.com/shadow-of-the-tomb-raider-pc-requirements/
https://techycentre.com/star-wars-force-unleashed-cheats-psp-desired-outfits/

Unknown said...

nice blog sex timing tablets in pakistan

Unknown said...

Article was great & filled with lot of valuable information, sexy girl
there are some interesting tips and tricks on it which gives additional value to this post.

Unknown said...

Thanks for sharing your views about porn videos
the concept which you know much better. Its easy to read and understand by the way you wrote the blog contents.

Unknown said...

Wonderful post, very informative. I wonder why the other experts of this sector do not notice this. You must continue your writing.party drugs

Unknown said...

Thanks for sharing your views about the concept which you know much better. Its easy to read and understand by the way you wrote the blog contentssex medicine

Unknown said...

Click here for nude pics

sachink said...

A very good think describe about PATH_MAX thanks.First Copy Ladies Watches Online

Himanshu Goyal said...

Thanks for giving me that information Best Job Consultancy in Delhi.

Yamini said...

Really a great article to read on!!!Thank you for sharing!!!
RSA Archer Training

Franklin said...

Devops training in chennai

Unknown said...

Punjabi Quotes

Unknown said...

Punjabi Quotes vist:)

121giftideas said...

amazing post keep posting

Best Gift Ideas And Quotes
Best Gift Ideas And Quotes

รับพรีออเดอร์-ขนมเตอร์กิชดีไลท์และสินค้าจากประเทศตุรกี said...

Seslendirme
Seslendirme Kursu
Seslendirme Ajansı
Seslendirme Cast Ajansları
Dublaj sanatçısı
Seslendirme Fiyatları
Tolga Üstün

아리 said...

If searching for the best MP4 to MP3 converter then convertisseur mp3 is the best website available o the Internet

abir biswas said...

Hhhh modmafia.co

pro blogger said...

good mashvo tips mashvo

pro blogger said...

In fact, in the eyes of most learners, the so-called SEO optimization is nothing more than the website keyword optimization to the home page can be.In fact, the real SEO core technology is search engine optimization,rather than search ranking optimization,whichipl live kaise dekhe

pro blogger said...

is also due to a lot of beginners to keyword ranking as all SEO technology, so all day long to worry about
netflix mod apk

pro blogger said...

the site keyword ranking does not go, mashvo resulting in a few webmasters give up halfway.So your

pro blogger said...

understanding of SEO, it depends on how far you can go on the SEO road, it is because you do not know enough about SEO, netflix mod apk so you will give up.

farinafathima said...

Data science is an inter-disciplinary field that uses scientific methods, processes, algorithms and systems to extract knowledge and insights from many structural and unstructured data. Data science is related to data mining, machine learning and big data.

Data Science Training In Hyderabad

Data Science Course In Hyderabad

Ashok said...

Mobiles | washing machineMobiles | washing machine
Mobiles | washing machine

Ashok said...

Mobiles | washing machineMobiles | washing machine
Mobiles | washing machine
Mobiles | washing machine

Supportingblog said...

Very informative! This post gives quality information. this post is really amazing. Thank you for this brief.
Now Fancy Stylish Cool Text Name Generator Girls Loving
Hot Girls Loking Boys Here
18+ Girls Group
Waiting For You

2000 Earn Apps Get From Here
College Girls Whatsapp Group Links
Auto Liker For All Free Unlimited Likes
1000 Earn Money Playing Games Apps Online Free

1000 Earn Money Whatsapp Group Links Free

saketh said...

I see the greatest contents on your blog and I extremely love reading them. ExcelR Data Scientist Course In Pune

Admin said...

Really useful information. Thank you so much

shanaya more
travelwithshanaya

Best Training Institute said...

Nice to read your article. This has really made good thing.
Blockchain training in bangalore
Blockchain institutes in bangalore

Gopinath N said...

You can try Long Path Tool, it helped me a lot.


Data Science Training in Chennai


Data Science Course in Chennai

dataanalyticscourse said...

You have done an excellent report on the knowledge that you have shared in this blog.
360DigiTMG data analytics course

bhoora said...

I think your post is very interesting and mostly, I keep looking for like this type of websites where I learn or get new concept.
I am happy to visit on your site. Thanks to share it. I was more than happy to find this web site.
I need to thank you for your moment due to this unbelievable read!! I definitely savored every bit of it and I have you book-marked to
See new things in your web site.

ग्राम परिवहन योजना

bhoora said...

5. 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.

Govt.Scheme

Author said...

Its really very informative article.We hope you will keep continue publishing such kinda great posts.
How to block ads bangla

Author said...

Awesome post.I was just looking for this kimda article and found here.Thanks to the admin.Keep publishing such great articles.
How to get free unlimited google drive storage

go web said...

I like your writing skills as it makes one feel included in the journey.
Thank you for the valuable notes.
Web Design Service in Baripada
https://www.gowebs.in/web-design-Baripada

Mahawar Alloys said...

The blog which you have shared is more innovative… Thanks for your information.

Angle traders in mandigobindgarh
TMT Bar traders in mandigobindgarh
Channels traders in mandigobindgarh
Beam traders in mandigobindgarh
Flat Bars traders in mandigobindgarh
Sheets Plates traders in mandigobindgarh
Galvanised sheet traders in mandigobindgarh
Pipeline traders in mandigobindgarh
Rail traders in mandigobindgarh
Binding traders in mandigobindgarh

Unknown said...

demi-lovato

360DigiTMG said...

I at last discovered extraordinary post here.I will get back here. I just added your blog to my bookmark locales. thanks.Quality presents is the vital on welcome the guests to visit the page, that is the thing that this website page is giving.
data science course

shubham said...

Bluehost coupon

Here you get All lastest and working bluehost coupon codes you'll get 55% Discount.

Unknown said...

Thanks for sharing such a nice info.I hope you will share more information like this. please keep on sharing!
Python Training In Bangalore
Artificial Intelligence Training In Bangalore
Data Science Training In Bangalore
Machine Learning Training In Bangalore
AWS Training In Bangalore
IoT Training In Bangalore

Alex Smith said...

Thank you for the post. Buzz web traffic is a Blog for guest posting and information platform to generate more SEO traffic to the website.

Unknown said...

I want you to thank for your time of this wonderful read!!!
I definately enjoy every little bit of it and I have you bookmarked to check out new stuff of your blog a must read blog!
you can visite my website.


सरल जीवन बीमा योजना

Unknown said...

Very nicely done. Your show schedule gave me the info on some shows I was wondering about.
I visited your web site today and found it very interesting and well done. I can tell you have put a lot of work into it.
Thank you for the listing on your web page. You have a good looking web site Your site is exactly what I have looking for!! Keep up with the good work.


Govt.Schemes

Eliana said...

Happy Birthday Wishes in Tamil

PropPurpose said...

Very informative article which is about the refrigeration and i must bookmark it, keep posting interesting articles.
Digital Marketing

Unknown said...

Thanks for sharing !
Human Resources Management and Its Objectives - Human Resource India.

Taj Kaif said...

I want you to thank for your time of this wonderful read!!!
I definately enjoy every little bit of it and I have you bookmarked to check out new stuff of your blog a must read blog!
you can visite my website.

CSP ग्राहक सेवा केंद्र

Taj Kaif said...

Very nicely done. Your show schedule gave me the info on some shows I was wondering about.
I visited your web site today and found it very interesting and well done.
I can tell you have put a lot of work into it.
Thank you for the listing on your web page.
You have a good looking web site Your site is exactly what I have looking for!! Keep up with the good work.


Govt.Schemes

hont said...

ionic framework development in usa
hybrid app development in usa
php web development in usa
python web development in usa
angular js development in usa

Buy Seo Service said...

The content of this website was really informative. 50 High Quality Backlinks for just 50 INR
2000 Backlink at cheapest
5000 Backlink at cheapest
Boost DA upto 15+ at cheapest
Boost DA upto 25+ at cheapest
Boost DA upto 35+ at cheapest
Boost DA upto 45+ at cheapest

SAINI CAR BAZAAR said...
This comment has been removed by the author.
SAINI CAR BAZAAR said...

Almost all the Blogs I have read on your website are very useful.
You can also visit our website for best-used cars

Taj Kaif said...

Very nicely done. Your show schedule gave me the info on some shows I was wondering about.
I visited your web site today and found it very interesting and well done.
I can tell you have put a lot of work into it.
Thank you for the listing on your web page.
You have a good looking web site Your site is exactly what I have looking for!! Keep up with the good work.

उड़ीसा भूमि नक्शा रिकॉर्ड

Taj Kaif said...

Thanks a lot for sharing this good blog post.. i hope keep more post for sharing thanks.
I have found this source very genuine and very worthy to complete my assignments.
Thanks a lot for the same. my website as it you can visite it.

Applcation Mod

Huongkv said...

Mua vé tại Aivivu, tham khảo

vé máy bay từ singapore về việt nam

giá vé máy bay hà nội sài gòn

vé bay sài gòn hà nội

vé đi nha trang giá rẻ

vé máy bay hải phòng đi quy nhơn

Huongkv said...

Mua vé tại đại lý vé máy bay Aivivu, tham khảo

vé máy bay từ singapore về hà nội

vé máy bay nha trang hà nội giá rẻ

vé máy bay từ vinh vào sài gòn

đặt vé máy bay đi nha trang

vé máy bay từ mỹ về việt nam

mehedibang said...

Greenygardens

Infinity Blogger said...

How to Make Money from the Internet in 2021

How to Fix Bad Sector in Hard Disk in Windows 10,8,7


https://www.techwhom.com/2021/03/how-to-find-Most-Searched-keywords.html

What is Disqus ?

How to Rank Post on the Google First Page?

Intellectual Property Rights Disputes. Intellectual Property Rights

BtreeSystem Training said...

Btreesystem is Software IT Training Institute in Chennai
btree systems

Lets Talk Tech said...

Well, this is very useful and informative. Additionally, here's the resource to get yourself prepared for an AWS interview

Ezaz ahmed said...
This comment has been removed by the author.
Ezaz ahmed said...
This comment has been removed by the author.
Ezaz ahmed said...
This comment has been removed by the author.
Ezaz ahmed said...
This comment has been removed by the author.
Ezaz ahmed said...
This comment has been removed by the author.
MARA said...

It was a great blog to read


We are the Software Training institute in Chennai and also we have 5+ years of experience in this field C Sharp Training in Chennai
Best C# Course in Chennai

Anand Shankar said...

Our recruitment company specialises in not only finding the ideal employees for your business, but also doing all the necessary pre-screening, background checks and interviewing so you are left to choose only from candidates who will add value to your business. staffing company in chennai

Ezaz ahmed said...

Thanks, This site is very informative information .dhoand read my site Digital Marketing

Md Naiem Khan said...

Knowledgeable post about commenting on Online Marketing. I had never read about commenting marketing but this information helps me to get to know about it.

Md.Rayhan said...

wow! great article .thanks for sharing.Digital Marketing

Anonymous said...

Thanks for giving great kind of information Digital Marketing

klickbazar said...

I got it too much interesting stuff.I guess I am not the only one having all the enjoyment here ! keep up the work.smart watch

Achieversit said...

Very useful blog,Thanks for blog
React Js Training In Bangalore

360DigiTMG said...

Nice and very informative blog, glad to learn something through you.
best data science course

Unknown said...

"""How coronavirus is Changing Candidate Screening - Human Resource India
Best Recruitment Agency and Placement Consultant in Delhi - Human Resource India"""

Unknown said...

"""How coronavirus is Changing Candidate Screening - Human Resource India
Best Recruitment Agency and Placement Consultant in Delhi - Human Resource India"""

360DigiTMG said...

"Thank you very much for your information.
From,
"
data scientist course

Random-talk.net said...

Awesome informaiton also check out online chatting website...Omegle, Ome tv, Coomeet, Chatroulette

Softwaresmods said...

I think your post is very interesting and mostly, I keep looking for like this type of websites where I learn or get new concept.
I am happy to visit on your site. Thanks to share it. I was more than happy to find this web site.
I need to thank you for your moment due to this unbelievable read!! I definitely savored every bit of it and I have you book-marked to
See new things in your web site.

नरेगा जॉब कार्ड

Govt.Schemes

Shala Darpan

360DigiTMG said...

Brilliant Blog! I might want to thank you for the endeavors you have made recorded as a hard copy of this post. I am trusting a similar best work from you later on also. I needed to thank you for these sites! Much obliged for sharing. Incredible sites!
data scientist course in malaysia

Praveenrahul said...

Useful Information..!!! Best blog with effective information’s..!!
Web Designing Course in chennai
PHP Training in Chennai
Spoken English Classes in Chennai
German Classes in Chennai
Salesforce Training in Chennai
IELTS Coaching in Chennai

Daniel said...

Download free Android Premium APK games today! Apkdone is the #1 place for the newest and best Android game Mods

Vijayakash said...

it was so good to read and useful to improve my knowledge as updated one, keep blogging…

Angularjs Training in Tambaram
Angularjs training in anna nagar
Angularjs Training in T Nagar
AngularJs Training in Porur
Angularjs Training in OMR
Angularjs Training in Chennai

hema said...

You are providing a post that is very useful for developing my knowledge and I learn more info from your blog.

machine learning online
Learn informatica mdm Online
learn tableau online

globalvisadestination said...

Global Visa Destination is one of the best Australia Tourist Visa Consultants in Chandigarh who provide you tourist visa for Australia and various other countries at a reasonable price. For more details please visit our website.

helpinhindi said...

nice work bro newhindiworld

PANDIT mahendra astrologer said...

Very helpful post, all suggestion from top bloggers at one place.
Thanks for sharing

Aishwariya said...

Awesome post AWS Certification Course in Chennai

jeya sofia said...

Great Post with valuable information. I am glad that I have visited this site. Share more updates.

IELTS Coaching in Chennai
IELTS coaching in Chennai Anna Nagar
IELTS coaching in velachery

jeya sofia said...

Great Post with valuable information. I am glad that I have visited this site. Share more updates.

IELTS Coaching in Chennai
IELTS coaching in Chennai Anna Nagar
IELTS coaching in velachery

PANDIT mahendra astrologer said...

very nice and informative article.
https://www.mahendraastrologer.com/

PANDIT mahendra astrologer said...

Thanks for

salome said...

useful stuff
interesting to read
best-angular-training in chennai |

angular-Course in Chennai

https://www.credosystemz.com/training-in-chennai/best-angularjs-training-in-chennai//">

360DigiTMG said...

"Thank you very much for your information.
From,
"data scientist certification malaysia

Vijayakash said...


This is good site and nice point of view.I learnt lots of useful information

Ethical Hacking Course in Tambaram
Ethical Hacking Course in Anna Nagar
Ethical Hacking Course in T Nagar
Ethical Hacking Course in Porur
Ethical Hacking Course in OMR

Hanisan Healthcare said...

Nice Blog.Hanisan is Chandigarh based Best pharmaceutical companies in Chandigarh that is on the runway of becoming one of the fastest growing pharmaceuticals company.

Academic Help said...

Nice Blog. Academic help is leading Assignment help in Australia.Our high-quality writing help is very proud of our professional writers who are available to work effectively and efficiently to meet the tightest deadlines.

BrainStorm Home Tuition said...

Nice Blog. Brainstorm home tuition offering the Professional Experienced tutor for Home tuition in Panchkula at best price.

Anonymous said...
This comment has been removed by the author.
Anonymous said...
This comment has been removed by the author.
pc repair service in Bellingham said...

pc repair service in Bellingham EZPC provides fast, reliable, and affordable Computer repair service in Bellingham. We also provide free diagnosis for any issues you may have

Janardhan said...

seo whatsapp group link Are you Looking for Top Rated seo expert whatsapp group link That are Filled with SEO Pro's who has indepth knowledge in Digital Marketing Or the one looking forward to joining some of the best WhatsApp Groups which are filled with certified SEO Experts who have Decent Experience & you wanted to get connected with SEO consultants through WhatsApp then you have landed on the right platform which do provide cool information about Open source SEO WhatsApp Group invite links! yes you Heard Right.

Vipin Chauhan 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 agian
name change in lic policy

sandeep said...


I tried afew plugins it makes site slow, Please anyone guide how to create a table without a plugin which look good like an excel table.anyone guide

360DigiTMG said...

thanks for share
data science course

360DigiTMG said...

thanks for share
data science bootcamp malaysia

360DigiTMG said...

thanks for share
data science bootcamp malaysia

AchieversIT said...

Thank you for your blog , it was usefull and informative
"AchieversIT is the best Training institute for react js training.
react training in bangalore

Techspot ideas said...

Water Freedom System Review

Techspot ideas said...

CHECK THE REVIEW

Ruhul Amin said...

Download MOD APK Free

AchieversIT- UI/Web Development, Digital Marketing,Angular,Reactjs Training said...

Thank you for your blog , it was usefull and informative
"AchieversIT is the best Training institute for react js training.
ui development training in bangalore "

Vijayakash said...

This blog is a great source of information which is very useful for me.


Salesforce Training in Tambaram
Salesforce Training in Anna Nagar
Salesforce Training in Velachery
Salesforce Training in T Nagar
Salesforce Training in Porur
Salesforce Training in OMR
Salesforce Training in Chennai

saravanankumar said...

More impressive Blog!!! Its more useful for us...Thanks for sharing with us...
Cloud computing Training in OMR
Inplant Training in Anna Nagar
Java Training in OMR
Oracle DBA Training in OMR
Android Training in OMR

360DigiTMG said...

thanks for share
data scientist certification

Anonymous said...

Thanks for Sharing This Article.It is very so much valuable content. I hope these Commenting lists will help to my website
Microsoft Azure online training

MARA said...

It was an great blog
oracle dba training in chennai|Software IT Training Institute in Chennai

suryakumar said...

This post is much helpful for us.
SAS Training in T Nagar
AngularJS Training
Big Data Hadoop Training

suryakumar said...

Thanks for the article. Its very useful. Keep sharing.
QTP Training Institute
IOS Training Institute
Informatica Training in Velachery
Web Designing course in Velachery

Techspot ideas said...

who was seogik? Buy Social Followers
here

Khan said...

Blacksattamd satta king The No 1 Website In India World Wide Goal Here So Good Best Website
Great site you’ve got here..black satta It’s difficult to find quality writing
like yours nowadays.Punjabi Short Movies I really appreciate individuals like you!
Rohan satta king Best Gainng Website To Good Work Level HighGaming So High
Take care!!

selvam said...

Thanks for posting the best information and the blog is very helpful.
Software Testing Training in Velachery
Python Training Institute
German course
SQL Training in Velachery

Snehal Harshe said...

Thank you so much for sharing all this wonderful information !!!! It is so appreciated!! You have good humor in your blogs. So much helpful and easy to read!
Java Training in Ahmedabad
Java Training in Kolkata

Mobignosis Blog said...


Visit mobignosis.com!

KismatTech said...

Best bikes in Nepal under Rs 3 lakhs

KismatTech said...

https://kismatduwadi.com.np/best-bikes-in-nepal-under-rs-3-lakhs/

«Oldest ‹Older   1601 – 1800 of 2289   Newer› Newest»