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

«Oldest   ‹Older   801 – 1000 of 2286   Newer›   Newest»
gk said...

bilaspur university
bu-result
cutm
cuo

STIVE said...

what-is-processor-and-how-it-works

Cognex Technology said...
This comment has been removed by the author.
jameswill11 said...

Intuit QuickBooks Support for all your versions are given under one-roof and it will be discussed by achieving the customer care number. The QuickBooks Tech Support Phone Number is toll-free and also the professional technicians handling your support call can come up with an instantaneous solution that can permanently solve the glitches.

Author said...

tonymag

Author said...

Tony Magazine

Lokesh Vijay said...

hey you are doing great workk in coding thanks for sahring this withus
bolly4u
extramovies
protechsniper

subhashini said...



Thanks for this wonderful blog it is really informative to all.keep update more information about this
Selenium Training in Chennai
Selenium Training in Bangalore
Selenium Training in Coimbatore
Selenium course in Chennai
Tally Course in Chennai
Data Science Training in Bangalore
best selenium training in chennai
Best selenium Training Institute in Bangalore

fixps4 said...

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.

PS4 External Hard Drive – Top Product Of 2019

Feel More said...

eros cream

Feel More said...

vimax official website

vanitha said...

Great blog. Thank you for sharing so much.
ECE Project Centers in Chennai defines the ease of work and project execution, either Engineering Final Year Projects or IEEE Projects.
Nice!!!

vanitha said...

Thanks for sharing...Great Blog!!!
Java training in Chennai with 100% placement support. Learn Java from experts from Java. No. 1 Chennai Java Training Institute! Project in Real Time. Support for certification.

Blogsilly said...

Our QuickBooks Technical Support is obtainable for 24*7: Call @ QuickBooks Technical Support contact number any time.Take delight in with an array of outshined customer service services for QuickBooks via QuickBooks Helpline Number at any time and from anywhere.It signifies that one can access our tech support for QuickBooks at any moment. Our backing team is dedicated enough to bestow you with end-to-end QuickBooks solutions when you desire to procure them for every single QuickBooks query.

steffan said...

The QuickBooks Tech Support is toll-free as well as the professional technicians handling your support call can come up with a sudden solution that may permanently solve the glitches.

EST of SEO said...


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

Digital Marketing Course in Sydney


EST of SEO said...


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

Digital Marketing Course in Sydney


deepika said...

Amazing article.
blockchain training in bangalore

Manish said...

Really useful information. Thank you so much for sharing
Check How
Tamilrockers
vidmate download
Vidmate Download
Tamil Movies Download

Author said...

http://www.sudhahospitals.com/ivf
https://selfcareremedies.blogspot.com/
http://learnmyblog.com
http://arionmediacorp.com
www.indrolasteel.com/

Anonymous Hacker said...

All Web Series : Download Web Series
Hack Worms : Ethical Hacking Institute in Meerut India
Manish Pundeer - Top Ethical Hacker in India

Beauty Expert said...

Best Home Appliances
Get Latest WhatsApp Status
Latest Awesome Images

ExcelR Solutions said...

Nice Post...I have learn some new information.thanks for sharing. Machine Learning Course

BJ Singh said...

happy dussehra images

Pravin said...


If you are looking for the best database marketing then we are providing you the best database or contact database. If you want, we can help each other in the process process or searching for sales automation software then we can also help you here also to provide marketing automation.

mobile application development said...

Thanks for sharing useful information article to us keep sharing this info,
Amazing Post. Your blog is very inspiring. Thanks for Posting.
Mobile App Development Company in chennai
mobile app development chennai
Mobile application development company in chennai
Mobile application development chennai
Mobile apps development companies in chennai
enterprise mobile app development company

ExcelR Solutions said...

Nice Post...I have learn some new information.thanks for sharing. Machine Learning Training In Bangalore

Anonymous said...

Nice Post
For Data Science training in Bangalore,
Visit:
Data Science training in Bangalore

Unknown said...



Great information and this is very useful for us.

post free classified ads in india

Unknown said...



Great information and this is very useful for us.

post free classified ads in india

Pankaj said...

Fonts For Facebook
Generate cool and stylish
FB Fonts
fancy fonts for your Facebook account and
Facebook Fonts
you can use in all social media platform
Fonts For FB

rj said...


Tarun Gill
Abhinav Mahajan

rj said...

Thank you very much for the post
Diaries

Lavkush said...


tipsontechnology

learn every time new tips on technology

Lavkush said...

tipsontechnology

learn every time new tips on technology

Hey my audience, in this website we’ll post about many tips on technology. many tips on hacking, education and many entertainment niche. i’ll post something special for you, Everyday
So check out it from here

tipsontechnology

learn every time new tips on technology

gauri said...

Cool post .. amazing blog. I really appreciate your effort. Thanks for sharing. Please Check Sai Baba Images and Life Quotes in Hindi

Anwar ALi said...

thanks for sharing

pubg wallpaper download

pubg wallpaper


pubg wallpaper hd


pubg wallpaper 1080p


pubg wallpaper 4k

Biki said...


Job news assam

Biki said...


Job in assam

EST of SEO said...

Kaamil Traning is fastly growing Training Center in Qatar
that aims to provide Value through Career Linked training, Professional Development Programs, Producing Top Notch
Professionals, Provide Bright Career Path. Kaamil Training Leveraging best-in-class global alliances and strategic partnerships with Alluring Class rooms, Great Learning
Environment. The toppers study with us and market leaders will be your instructors.
At Kaamil Training our focus is to make sure you have all the knowledge and exam technique you need to achieve your
ACCA Course in Qatar qualification. Our core objective is to help you
pass your exams and our ability to do this is demonstrated by our exceptional pass rates.

shubhangi said...

Best post .. I really appreciate your hard work and impressive writing style. Thanks for sharing. Keep Writing. Please visit - Sai Baba Images and Good Morning Love

Priya said...

Thanks for sharing information.
Nice blog...
IOT Training in Chennai
Intership in Chennai
R programming Training in Chennai
CCNA Training in Chennai

sunil said...

nice information.its really helpful.thanks for sharing it. i apreciate your work.
Python Training in Pune

Nandhini said...

Really very happy to say, your post is very interesting to read. I never stop myself to say something about it. You’re doing a great job...I learn more new information from your blog. Keep doing like this. I am waiting for your next blog.
Python training in bangalore
Data science with python training in Bangalore
AWS training in Banaglore
J meter training in Bangalore

ameer said...


Excelr is providing emerging & trending technology training, such as for data science, Machine learning, Artificial Intelligence, AWS, Tableau, Digital Marketing. Excelr is standing as a leader in providing quality training on top demanding technologies in 2019. Excelr`s versatile training is making a huge difference all across the globe. Enable ?business analytics? skills in you, and the trainers who were delivering training on these are industry stalwarts. Get certification on "
best data science courses in hyderabad "
and get trained with Excelr.

jstech said...

Thank you for writing can I say something for those people who are looking for one of the best website to find details about latest gadget launch, there price, fac3book, dslr full form, USSd code of airtel, idea and protected text like websites so why you are finding, its here read out

keyboard mouse laptop mouse

fixps4 said...

upnp-not-successful
code-8007274d
code-8015402b
0x80a4001a
xbox-not-connecting-to-wifi
code-0x87dd0004
fastest-dns-servers-xbox
change-xbox-dns
code-0x87dd0006

Nandhini said...

Thanks for sharing a piece of wonderful information for us. When I am reading a blog. I learn more information and interesting too. I wish to connect with you for a future post also.waiting to see you're next blog.
Python training in bangalore
Data science with python training in Bangalore
AWS training in Banaglore
J meter training in Bangalore

Ravi Panchal said...

Friendzone Quotes
Good Habits Quotes

Bipu said...

If you are crazy about watching the latest Bollywood, Hollywood, Tamil, Telugu, Hindi dubbed movies online like me, then maybe you will definitely know about the Moviescounter movie downloading website. I am saying this because if any new movies online downloading website name comes after Tamilrockers, then it is Moviescounter.At the same time, if you have not yet heard about it, then be patient because by the end of this article you will definitely get all the necessary information about Movies counter.

Sohag said...

Everyone would like to produce income through their personal business or web-based projects but many make the fatal error of overpaying for poor web design and placing too much trust in unworthy contractors who produce snotty work and often leave a business crippled from the start.."> web developers in kochi

sanjana singh said...

click here
click here
click here
click here
click here
click here

Nandhini said...

Really very happy to say, your post is very interesting to read. I never stop myself to say something about it. You’re doing a great job...I learn more new information from your blog. Keep doing like this. I am waiting for your next blog.
Python training in bangalore

Online Training said...

great post and creative ideas. I am happy to visit and read useful articles here. I hope you continue to do the sharing through the post to the reader.

AWS Training

Neha said...

Nice Blog, With thanks! Valuable information! Useful post, Nice info!
We provide all Cricket match prediction today. bbl match prediction big bash prediction 2019 20
Session Betting Tips
bbl match prediction
Vivo IPL 2020 predictions
big bash prediction 2019 20
big bash 2019 20 predictions

Angular expert said...

Very nice post. I absolutely love this site. Thanks!



Python Training in Marathahalli, Bangalore

Selenium Training in Marathahalli, Bangalore


Reactjs Training in Marathahalli, Bangalore

Angular expert said...

Very nice post. I absolutely love this site. Thanks!


UI Development Training in Marathahalli

Full stack Development Training in Marthahalli Bangalore


UI Development Training in Bangalore


Angular Training in Bangalore

Angular expert said...

I could not resist commenting. Exceptionally well written!




Angular Training in Bangalore

Python Training in Marathahalli, Bangalore

Angular expert said...


Excellent article. I am experiencing a few of these issues as well


Python Training in Marathahalli, Bangalore

Selenium Training in Marathahalli, Bangalore


Reactjs Training in Marathahalli, Bangalore

neha singh said...

nice blog.
Emind Intelligence Agency

True Alpha said...

primo hoagies
wizard of oz cast
Rankine cycle
chromic acid
Pride And Prejudice SparkNotes
Exonuclease
Tennis court oath
Brownian motion
Disruptive selection

True Alpha said...

Great Post Love It Keep It up


Danny Aiello
Dias
Meso Compound
Reynolds number equation
Accord definition
How many ml in a shot

True Alpha said...

Great post


Kooolman
Kooolman
Kooolman
Kooolman
Kooolman
Kooolman
Kooolman
Kooolman

True Alpha said...

Great Post


Kooolman
Kooolman
Kooolman
Kooolman
Kooolman
Kooolman
Kooolman

kabirsingh said...

Cool post .. amazing blog. I really appreciate your effort. Thanks for sharing. Please Check Sai Baba Images and Good Morning Love

Nandhini said...

Thank you so much for sharing this amazing article with us. I Will stay connected with your blogs for future posts...
Python training in bangalore
Python training in Bangalore

Prakash said...

Great Post!!! Thanks for the data update and waiting for your new updates.
Android Training in Chennai
Android Training Institute in Chennai
android training center in chennai
android development course in chennai
Android training in porur
Android training in OMR
Big data training in chennai
Android Training in Chennai
IOS Training in Chennai
Selenium Training in Chennai

Angular expert said...

Very good write-up. I certainly love this website. Thanks!

UI Development Training in Marathahalli

Full stack Development Training in Marthahalli Bangalore


UI Development Training in Bangalore


Angular Training in Bangalore

Python Training in Marathahalli, Bangalore

Selenium Training in Marathahalli, Bangalore


Reactjs Training in Marathahalli, Bangalore

Infinity facts said...

awasome blog

User Not Found
Vidmate App Download
sure Apk

deepika said...

Amazing article. very nicely presented.
jquery interview questions

deepika said...

Amazing article.
jquery interview questions

Nandhini said...

Thanks for sharing like a wonderful blog’s learn more new information from your blog. Keep sharing the post like this…
Python training in bangalore

MEGAN FOX said...

Great Sound, you provided a valuable information.

wordpress ecommerce development company chennai
Seo Company in Chennai
YouTube Marketing Company in Chennai
Smm company in Chennai

Anonymous said...

Visit for AI training in Bangalore:-
Artificial Intelligence training in Bangalore

Products 24 said...

Products24
This is the exact information I am been searching for .You Must Know How to Increase Jio Speed
Really useful information. Thank you so much for sharing

Parbbati said...

Full Movie Download

Sohag said...

Book online for your house cleaning Hobart, on an individual or contractual basis, and ensure a
sanitised and sparkling space. Cleaning Services Hobart

Nandhini said...

Thank you so much for sharing this amazing article with us. I will stay connected with your blogs for future posts.
Angular js training in bangalore

Sohag said...

Achieve a health balance between body and mind with the best Ayurvedic
treatment in Kerala, offered by qualified Ayurvedic specialists. best ayurvedic treatment in kerala

Mahim khan said...

Vedipura Whatsapp Link

Angular expert said...

Excellent article! We will be linking to this great post on our site. Keep up the good writing.



Python Training in Marathahalli, Bangalore

Selenium Training in Marathahalli, Bangalore


Reactjs Training in Marathahalli, Bangalore

Angular expert said...

Saved as a favorite, I like your blog!

UI Development Training in Marathahalli

Full stack Development Training in Marthahalli Bangalore


UI Development Training in Bangalore


Angular Training in Bangalore

Sayed said...

NEWS WHATSAPP GROUP LINKS LIST

prince said...

clash of clans modded apk

Bhautik Patel said...

Really, great information and looking beautiful blog.
ios 13 features for iphone

Anwar ALi said...

pubg wallpaper download

pubg wallpaper


pubg wallpaper hd


pubg wallpaper 1080p


pubg wallpaper 4k








Vijay said said...

Good Blog! keep share

R programming Training in Chennai
IOT Training in Chennai
Inplant Training For Aeronautical

Nandhini said...

it is very helpful for all of us and I never get bored while reading your article.
Python training in bangalore
Python training in Bangalore
Data science with python training in Bangalore
Angular js training in bangalore
Hadoop training in bangalore
DevOPs training in bangalore

Anonymous said...

Nice information

click here to read moral stories in hindi

Parbbati said...

Webjalshamovies

juli said...

cirmage lifting stick

Saleem said...

ashhu
amp blogger template
Newspaper Theme free download

Admin said...

Thank You So much for sharing information on your website.Your website is very informative to people.
Guns of Glory APK Download

Best Review Group said...

Reasons to choose Bengali Style Saree
Bengali Style Saree
LifestyleSimplify

Ahmad Anwar said...

learn business ideas
blogging fan
Download apk files free
blogging ideas
business ideas for students
free all apk download
blogging
find latest businessideas
digital marketing with business
business techniques for students

Unknown said...

Awesome Post. The content you shared is very interesting. Thanks for posting.
Kodi

Unknown said...

Bubble Sort is the simplest algorithm for sorting elements. In the Bubble Sort algorithm, the array is traversed by comparing the current element with the next element each time. If the current element is greater than the next element then the positions will be swapped in this way the array will be sorted.

아리 said...

Get the latest Movie Online on isaiminimovies try to get the best one.

Lean Six Sigma said...

Nice article for future Technology. But need Quality things in it . If you wish to improvemnet in your organisation related to six Sigma please click on linklean Six Sigma Green Belt, Black Belt Training and consulting
lean Six Sigma Green Belt Training at Hyderabad, Chennai
lean management training
lean Six Sigma Green Belt, Black Belt Training and consulting
lean Six Sigma Green Belt, Black Belt Training and consulting

deepika said...

Really very nice article.
python training in bangalore

Anonymous said...

For AWS training in Bangalore, Visit:
AWS training in Bangalore

Ultratech4you said...

Group Links
WA Group Links

Best WhatsApp Group Link [Girls, Funny, PUBG, Adult 18+, Indian]
Best Call Girls WhatsApp Group Link 2019
1000+ [Updated] Best WhatsApp Group Invite Links Collection
New Girls Whatsapp Group Invite Links Collection 2019

Admin said...

https://www.djremixsong.in/?m=1

Admin said...

https://www.djremixsong.in/2019/09/tum-hi-ho-remix-by-dj-rishi-ft-dj-rrk.html?m=1

Admin said...

https://www.djremixsong.in/2019/09/lamberghini-doorbeen-ft-ragini-remix-by.html?m=1

Admin said...

https://www.djremixsong.in/2019/09/dj-rohit-banda.html?m=1

Admin said...

https://www.djremixsong.in/2019/09/sundara-sundara-remix-by-dj-dean.html?m=1

Monir said...

Hobart 140 MIG & Flux Cored Welder is by far one of the best and most flexible units for the money. It is so easy to use you can let your 9-year-old weld - it is that easy.
https://www.jhos.com.au/

Sakshi said...

Thankx for sharing blog with Sourcekode example..its always easy to work on code when some example is provided and its make easy to understand as well...

dezayno said...

Contact the best web designers in Kerala to handle your web development and web content, including digital marketing and SEO. best web designers in Kerala

Admin said...

Thank you for sharing valuable information. 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 Download KineMaster Mod Apk

Monir said...

https://www.jhos.com.au/commercial-cleaning.php
One would think choosing a commercial cleaning service to maintain their facility would be a relatively easy task. Most maintenance managers of facilities, responsible for overseeing the cleanliness and health of their building, know this is not as simple as it sounds. The type of facility and it's needs dictate the services required.

istiaq ahmed said...

Il catalogo dei migliori prodotti in vendita online Catalogo Prodotti


istiaq ahmed said...

Il catalogo dei migliori prodotti in vendita online https://listinoprezzo.com

Catalogo Prodotti

Author said...

health buddies

아리 said...

Filmywap Bollywood Movies

Software development company said...

Much obliged for Sharing a helpful substance we shared a few blogs about AI.
Augmented reality app development company
Best augmented reality companies
Augmented reality developers
Augmented reality development companies
best augmented reality companies
Augmented reality app development company

Savanah Eden said...

if you want any promotion please visit us ,
Linkedin Marketing company chennai
Erp software development company in chennai
Professional webdesigning company in chennai
seo company in chennai

dezayno said...


At Dezayno, we understand that it is the responsibility of each of us, as individuals and together, to protect the environment, and provide safe, environmentally friendly products for the world. This is why all of our Premium Limited Edition T-Shirts are made on Non-GMO 100% Certified Organic Cotton that is grown on organic farms. Our Natural Organic ringspun cotton t-shirts are not only Eco friendly, they are extremely comfortable and designed to last. Our textile and manufacturing facilities have been carefully selected to help Dezayno source the world's best all-natural, organic materials for our premium apparel brand. Organic Clothing

Cloudi5 said...

Thanks for sharing your knowledge. For more updates, please visit
best Website designing company in Coimbatore
best Website development company in Coimbatore
Best Android app development company in Coimbatore

Shubham said...

I think that such informative sites are the best. You don't get to see all that unnecessary information and just get the data that you need. Thank you from me & http://www.sciencetre.com/diet-during-constipation/



Shubham said...

I think that such informative sites are the best. You don't get to see all that unnecessary information and just get the data that you need. Thank you from me Visit Sciencetre.com!

John Stephen said...


servo motor



We are an MRO parts supplier with a very large inventory. We ship parts to all the countries in the world, usually by DHL AIR. You are suggested to make payments online. And we will send you the tracking number once the order is shipped.

Priyanka said...

Attend The Machine Learning courses in Bangalore From ExcelR. Practical Machine Learning courses in Bangalore Sessions With Assured Placement Support From Experienced Faculty. ExcelR Offers The Machine Learning courses in Bangalore.
ExcelR Machine Learning courses in Bangalore

Sofia Son said...

Thanks for sharing this type of great informatic and nice-looking beautiful blog post.
vowifi
Havelock Island

Angular expert said...

Very nice write-up. I absolutely appreciate this website. Thanks!

java training center Bangalore

Best core java training in Bangalore

best java training institute Marathahalli

Java courses in Bangalore

Angular expert said...


I like looking through a post that will make people think. Also, thank you for allowing me to comment!


selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

Vijay said said...

Good Post! keep share.

The Mother Said to Her Child You Must be Back Four
Given Signs Signify Something and on That Basis Assume the Given Statements
How Will a Class Protect The Code Inside It
Ashima Wants to Print a Pattern Which Includes Checking and Changing a Variables Value
A Watch was Sold at a Loss of 10
A Customer Paid You 600 Dollar for Construction Work
A and B are Two Cars Travelling to a Destination
Spark Developer Resume Download
Ajith Sells a Table to Ajay at 10 Percent Profit and Ajay Sells it to be Anoob at 10 Percent
The Construct If Condition Then a else b is Used for Which of the Following Purposes

Dogi Lal said...

today i see new naked bike MV Agusta Dragster 800 RR , i really speech less this mode, full sexy look, i loving it

아리 said...

do you want to download any movies in 300mb then you must visit this website - https://hdmovieswap.com/300mb-movie/

luxury watches buy online said...

daamaze is the best online shop for buy First copy ladies bags

Abhimanyu shroff said...

Comic in hindi

Techtrick said...

TamilRockers 2019

9xmovies Hindi

khatrimaza

Gaana Hindi 2019

Best Email Service

TamilRockers New Link 2018-2019

Movierulz New Link

Bitcoin

Rangoli Design For Diwali

Diwali Eassay In Hindi

Techtrick said...

TamilRockers 2019

9xmovies Hindi

khatrimaza

Gaana Hindi 2019

Best Email Service

TamilRockers New Link 2018-2019

Movierulz New Link

Bitcoin

Rangoli Design For Diwali

Diwali Eassay In Hindi

deepika said...

Great post. keep the good work.
spring mvc interview questions

Lovable vicky said...

Nice information, want to know about Selenium Training In Chennai
Selenium Training In Chennai
Data Science Training In Chennai
Protractor Training in Chennai
jmeter training in chennai
Rpa Training Chennai
Rpa Course Chennai
Selenium Training institute In Chennai
Python Training In Chennai

Lovable vicky said...



Rpa Training in Chennai
Rpa Course in Chennai
Blue prism training in Chennai

Data Science Training In Chennai
Data Science Course In Chennai
Data Science Course In Chennai

rakesh ranghani said...

get weather information from myradar for windows

tech support said...

great post this is the best I always follow you sir

thank you for this article

finally I solve this problem

thanks again sir

it's grade information

thanks again sir



I am safikul from india have a gd day

tech support said...

thank you for this article

tech support said...

https://gymquotes.org/

Unknown said...

I have read your article, it is very informative and helpful for me.I admire the valuable information you offer in your articles. Thanks for posting it.
Click Here

Unknown said...

UFW stands for uncomplicated firewall used to manage firewall rules in Debian. UFW simplifies the process of configuring the firewall.

hiren parmar said...

nice blog.very helpful information.
https://digitalhiren.com/photo-resize-crop-for-sarkari-exam/

Bhanu Sree said...

Thanks for providing the information
Microsoft Azure DevOps Online Training
Microsoft Azure DevOps training hyderabad
Microsoft Azure DevOps Training

DigiIndia said...

if you guys are loocking for high paying key words than visit
https://digiindia.tech/top-10-highest-paid-adsense-keywords/

tech support said...

great post this is the best I always follow you sir

thank you for this article

finally I solve this problem

thanks again sir

it's grade information

thanks again sir



I am safikul from india have a gd day

I am safikul from india have a gd day

great post this is the best I always follow you sir

vanitha said...

Nice Blog!!! Thanks for Sharing!!! Lyceum Northwestern University

vanitha said...

Thanks for this useful information...Good Job
All The Best!!! cotton sarees in surat

vanitha said...

One of the best MBBS colleges in UV Gullas College of Medicine.
Please Visit UV Gullas Medical College

hamza khan said...

Download Bitocash apk latest version. and lot of Money
Download Bitocash

hamza khan said...

Download kinemaster pro mod apk latest v4.11.13
Download kinemaster pro mod apk

hamza khan said...

Download flixVPN apk
Download FlixVPN apk

RafayBloger said...


click here for apk mod apps

RafayBloger said...


Super Mario Run Mod-APK

RafayBloger said...

avg cleaner apk

RafayBloger said...

free Golf Clash Mod APK

RafayBloger said...

free Pandora premium APK

RafayBloger said...

BROWN SHOES WITH A BLACK

RafayBloger said...

Short Beard Styles

RafayBloger said...

Light Blue Suit

ward said...

android apk

ward said...

men grooming tips

vanitha said...

Awesome Post!!! Thanks for Sharing!!!
Python Projects in Chennai
MS Projects Chennai

vanitha said...

Nice Blog!!! Great Work!!! Thank you...
hardware and networking training in chennai
oracle training in chennai
matlab training in chennai
big data training in chennai
cloudsim training in chennai

Akshay Purabiya said...

https://alltrendspost.com

Dogi Lal said...

Love music? With Smule, you can sing and make music with friends and fans around the world! Karaoke solo or duet with people across the globe. DOWNLOAD Smule MOD APK

Admin said...

Visit for dp status!

Admin said...

Hey nice Happy diwali
Diwali wishes
Diwali wishes in advance

Angular expert said...

Wonderful post! We are linking to this great post on our website. Keep up the great writing.


Advanced Java Training Center In Bangalore

Advanced Java Institute In Marathahalli

Angular expert said...

Way cool! Some very valid points! I appreciate you penning this article and also the rest of the site is really good.


selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

Angular expert said...

Everyone loves it when people come together and share views. Great blog, keep it up!

Best Advanced Java Training In Bangalore Marathahalli

Advanced Java Courses In Bangalore Marathahalli

Advanced Java Training in Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Institute In Marathahalli

Bollywood masala said...

Thanks For Share
Xender
Xender
Xender
Xender
Xender

Bollywood masala said...

Thanks For Share
Xender
Xender
Xender
Xender
Xender

Rj Shiyam said...

Nice information, valuable and excellent design, as share good stuff with good ideas and concepts, lots of great information and inspiration, both of which I need, thanks to offer such a helpful information here.
Are You looking for best online courses and free webniars you just click following links
Online Certificate Courses
Machine Learning Online Courses
Best Online Certificate Courses In India
Online Courses On Digital Marketing
Online It Courses In India

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

Thanks for the Informative Blog...
UV Gullas Medical College

Apkandroidboss.com said...


Clash Of Clans Latest Version Download

Angular expert said...


A motivating discussion is worth comment. I do think that you should publish more about this subject matter, it might not be a taboo subject but typically people don't speak about these subjects. To the next! Best wishes!!



Advanced Java Courses In Bangalore Marathahalli

Advanced Java Training in Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Institute In Marathahalli

Angular expert said...


This website was... how do you say it? Relevant!! Finally I have found something which helped me. Thank you!

Selenium Courses in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

Rachel Gren said...

Really Nice Blog..Love reading it ...See also


What is The Impact of Low Trust in an organization

Alex said...

How to Lose Leg Fat – How to Lose Thigh Fat
How to Create a Calorie Deficit to Lose Weight
How to Lose Weight During Pregnancy
15 Best Ways to Lose Arm Fat Fast
How to Lose Weight From Your Face
How to Lose Weight From Hips
How to Lose Weight During Ramadan (Ramzan)

Vipin Chauhan said...

Nice Article, 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.

how to download name change gazette notification

Pradeep Roy said...

AwesomeArticle Keep It up

New Hindi Shayari said...

Radha Krishna Shayari, Radha Krishna Love Quotes
Jija Sali Shayari Hindi जीजा साली की शायरी
Happy New Year Shayari न्यू ईयर/नववर्ष शायरी
Friendship Shayari/Dosti Shayari दोस्ती शायरी/यार शायरी
Best Funny Shayari In Hindi 2019 {LATEST} बेस्ट फनी शायरी
Marathi Shayari | मराठी शायरी | For Facebook and Whatsapp
New Hindi Shayari Latest हिंदी शायरी 2020 - New Hindi Shayari
Two Line Shayari Two Line Shayari In Hindi 2 Line Love Shayari

drivetrain said...


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

Angular expert said...


There's definitely a lot to know about this issue. I really like all the points you made.

Selenium Courses in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore


Angular expert said...

Nice post. I learn something totally new and challenging on websites I stumbleupon every day. It's always useful to read through articles from other authors and practice something from other sites.


Advanced Java Training in Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Institute In Marathahalli

Akshay Purabiya said...

Best Site

Akshay Purabiya said...

Best Site

Akshay Purabiya said...

Best Site

salman chattels said...

Great Share!
warehouse for rent in chennai
Godowns for rent in chennai
Factory shed for rent in chennai

Mr.SRT said...

https://kpdiploma.blogspot.com/

https://bollywood-19.blogspot.com/

Rachel Gren said...

<a href="www.franklincoveysouthasia.com>Time management, Leadership training institutes, corporate training companies in mumbai bangalore chennai gurgaon india </a>

Rachel Gren said...

Time management, Leadership training institutes, corporate training companies in mumbai bangalore chennai gurgaon india

vanitha said...

Awesome Blog!!! Thanks for Sharing!!!
matlab training in chennai
big data training in chennai
robotics training in chennai
hardware and networking training in chennai
oracle training in chennai
cloudsim training in chennai

vanitha said...

Thanks for your Awesome Blog!!! Best MBBS college in Philippines UV Gullas College of Medicine

drivetrain said...

We are a family-owned business started in 1971 in Sparks, Nevada. We have an drivetrain specialists parts warehouse distribution system for automobiles and light and heavy-duty trucks with several shipping locations throughout the United States. We specialize in drivetrain-related areas and provide experience and expertise to assist you in getting the correct parts the first time. We offer free diagnostics and road testing as well as free troubleshooting support by telephone.

Angular expert said...

Very nice write-up. I absolutely appreciate this website. Thanks!


Selenium Courses in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

Angular expert said...

Hi! I just wish to offer you a big thumbs up for your great info you have right here on this post. I will be coming back to your site for more soon.


Best Advanced Java Training In Bangalore Marathahalli

Advanced Java Courses In Bangalore Marathahalli

Advanced Java Training in Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Institute In Marathahalli

«Oldest ‹Older   801 – 1000 of 2286   Newer› Newest»