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

«Oldest   ‹Older   1201 – 1400 of 2285   Newer›   Newest»
shubham said...

Nice work Alight Motion Pro Apk

tejaswini said...

Interesting post. I Have Been wondering about this issue, so thanks for posting. Pretty cool post.It 's really very nice and Useful post.Thanksbig data course malaysia
data scientist malaysia
data analytics courses
360DigiTMG

Admin said...

bigg boss 13 contestants list with pics

https://bigg-boss-vote.in

i Digital Academy said...

Wonderful post. Thanks for taking the time to share this information with us...

AngularJS Training in Bangalore | AngularJS Course Fees | AngularJS 6 - i Digital Academy
- AngularJS Training in Bangalore - Learn AngularJS 6 from Expert Real-time Trainers at i Digital Academy with Live Projects and Placement Assistance. Book a Free Demo Today.

vanitha said...

internship training in chennai
free internship in chennai
free ipt training in chennai
free inplant training in chennai

Godaddy Promo Code said...

Thanks very nice article keep up the good work

123movies
Bhumi Pednekar
Movieswood
Klwap
9xmovies

Shivani said...

It’s difficult to find experienced people in this particular topic, however, you sound like you know what you’re talking about! Thanks


Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Shivani said...

It’s difficult to find experienced people in this particular topic, however, you sound like you know what you’re talking about! Thanks


Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Haseeb Web Service said...

I just wanna say you something "Just a great content". Tricks to increase website traffic in 2020

Admin said...

bigg boss malayalam 2 vote poll


bigg boss malayalam 2 contestants list

avg said...

Awesome Information about c++

CCleaner Pro
CCleaner APK
CCleaner Pro APK
CCleaner APK
CCleaner Pro APK
CCleaner Pro APK
CCleaner Pro
CCleaner Pro APK
CCleaner Pro

Ahmad Anwar said...

Nice That really Owsm you can Also visit this digital dron

JOBS said...

snapseed apk download, snapseed apk download for android. snapseed is photo editing application. retouch your photo using snapseed application.

badresingh said...

dream league soccer 2020-apk

badresingh said...

steak war legacy mod unlimited money

Admin said...

Thank you for sharing the valuable information. Thanks for providing a great informatic blog, really nice required information & the things I never imagined. Thanks you once again Candy Crush Soda Saga Mod Apk

sasi said...

It's a looks very awesome article! Thanks a lot of sharing for information.
python training in hyderabad
Python Training in Bangalore
Python Training in Coimbatore
Python Training in Chennai
web designing course in bangalore
salesforce course in bangalore
Best Python Training in Bangalore
Python course in bangalore
python training in marathahalli
Python Classes in Bangalore


Abhishek.L said...

Whatsapp Groups links
and Telegram Channels, Telegram Groups, Telegram Guide


Ravi said...


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

Angular expert said...

There is definately a lot to learn about this subject. I like all of the points you made.
Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Angular expert said...

I could not resist commenting. Exceptionally well written!

Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Angular expert said...

Way cool! Some extremely valid points! I appreciate you writing this post plus the rest of the website is also really good.

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

Angular expert said...

This is a topic that's close to my heart... Best wishes! Exactly where are your contact details though?
Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Angular expert said...

This website was... how do you say it? Relevant!! Finally I have found something that helped me. Thanks!
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

sasi said...

The concept you are saying is good. I was so happy after reading this article. Thankyou so much for good article.
web designing training in madurai
Web Designing Course in bangalore
web designing course in coimbatore
Web Designing Course in chennai
Web Development courses in bangalore
web designing training in bangalore
Web development training in bangalore
salesforce training in bangalore
Web Designing Course in bangalore with placement
Web Development courses in Chennai

Angular expert said...

Your style is very unique in comparison to other folks I have read stuff from. Thanks for posting when you've got the opportunity, Guess I will just book mark this blog.


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

insperante said...

Insperante ' organization of culture, workmanship and configuration is housed in a verdant suburb of New Delhi isn't similarly as a scholastic establishment where one can learn or sharpen an ability, yet in addition is a stage for maturing ability to feature their energy in a specific stream. While, the organization targets giving a total scholastic involvement with every one of the works of art recorded, with a deliberately considered educational plan and arranged prospectus, it likewise tries to motivate love and enthusiasm for expressions. The undertaking of the organization is to light a longing for information about works of art and an enthusiasm to try and develop, at last making one's own specialty in the picked field

Jobmates said...

ozon komansohoze

ozon koman sohoze

Angular expert said...


I love it when people get together and share ideas. Great blog, stick with it!


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

vanitha said...

Nice post! The best Mbbs college in the philippines UV Gullas College of Medicine

vanitha said...

Nice post!!!
Java training in chennai
android training in chennai
asp dotnet training in chennai

BB Arora said...

Pind mp3 song download pagalworld, tik tok viral song Mr jatt. GetSongName.com – Presenting the audio song ”pind” this song by A Gurinder Seagal , song is been written Kunaal Vermaa and composed by Gurinder Seagal Download Tum Hi Aana Song mp3 songs 128Kbps, 192Kbps and 320Kbps – in HD High Quality Audio.Pind Street Dancer 3D Song

namechange services said...

The information you shared is nice.Thanks for sharing. I also share a post on Name change services Name change is available professional services in name change industry. For any assistance talk to us or call us:- 9871075159 and find free consulting.


name change
name change services in delhi
name change in gazette
name change services in india
name change affidavit
adhar card name change
name change procedure online
Name Change in Gazette
name change agter marriage
name change after divorce
surname change
document correction
aadhar card/voter id card correction

Ahmad Anwar said...

Nice That really Owsm you can Also visit this home remedy laxative

Anonymous said...

Thanks for sharing this article. It is very helpful content.

Best Dance Class in Dwarka

Arbaz Ahmed said...

Thanks! I will be a python developer soon

Techtrick said...

very nice informatinon jan klyan portel thank's sir

Tamilrockers new link

TamilRockers

Genyatra said...

Genyatra provides train ticket, flight ticket, senior citizen yatra services to its Clients across World.
Ticketing: All types of Domestic and International Flight ticket booking at competitive price. We provide best corporate fare and group fare across world.
Packages: We create specialized travel packages like family holidays, honeymoons, meetings, pilgrimage tours, special packages for senior citizen tours & women tours.
Visa and Forex: We Specialize in visa assistance for Individual and Group. We provides foreign currency at best exchange available rates. we provide Travel insurance.
Flight tkt, teerthyatra, foreign exchange rail ticket

Dhanraj said...

lag ja gale lyrics

Unknown said...

Hi, I do believe this is an excellent website. I stumbledupon it ;) I will come back once again since I bookmarked it. Money and freedom is the best way to change, may you be rich and continue to help others.
Tech geek

vanitha said...

inplant training in chennai
ipt training in chennai

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

Python training institute

todayspecialday said...

rama rajamouli Is an Indian costume designer, She also works in Telugu film industry. Her Husband name is S.S. Rajamouli

Admin said...

https://www.djremixsong.in/
https://www.djremixsong.in/

Download New Latest Dj Remix Songs Album's & Track Free Download

https://www.djremixsong.in/
https://www.djremixsong.in/

Dhanraj said...

kitt
save water
slogan
ku
https://www.essayalert.com/2020/01/200-slogans-on-save-water-in-hindi.html

https://www.youtube.com/watch?v=uRdIzHtn6lU

Unknown said...

Nice Article.If anyone wants to learn python they can check this Python Training in Bangalore

Elegant IT Services said...

Really Amazing Information...Thanks for sharing the information...
java training in bangalore

svrtechnologies said...

I am inspired with your post writing style & how continuously you describe this topic. After reading your post, thanks for taking the time to discuss this, I feel happy about it and I love learning more about this topic msbi training online and sql server course.

jogni prasad said...

movie watch online free

Lottery Winning Tips said...

Thanks for sharing valuable information.It will help everyone.keep Post.
Download Latest ludo king mod apk For Android Mobile..
Download Latest ludo king mod apk For Android Mobile.
Download Latest https://modedgame.com/tag/ludo-king-mod-apk-unlimited-money/ For Android Mobile.

admin said...

hanks for sharing Textnow premium apk download free

admin said...


Download legacy of discord mod apk

svrtechnologies said...

Pretty article! I found some useful information in your blog, it was awesome to read on aws online training , thanks for sharing this great content to my vision, keep sharing....aws tutorial videos

Darkwolf nandy said...
This comment has been removed by the author.
Darkwolf nandy said...

https://myhrrcvs.page.tl/CVS-Pharmacy.htm
customer plan individuals to fill their upkeep remedies through mail request conveyance or at a CVS Pharmacy retail location at a similar cost

Admin said...

Thank you for sharing valuable information. Thanks for providing a great informatic blog, really nice required information & the things I never imagined. Thanks you once again Hay Day Game

rexford said...

thanks for sharing this amazing article about the c++ language.
Poweramp Apk Latest Version 2020
There are lots of music players available that allow your smart device to play songs easily. One of them is Poweramp Apk. The app offers you many other options along with playing music. Poweramp Apk supports lots of music formats including mp3, mp4, wma, ape, tta, mpc etc. so that the users can enjoy all formats of music in a single application easily.
latest version of poweramp apk

offpageseo70 said...

Excellent Blog,Got much understanding about the topic after going through this blog page.
Data Scientist Course

menon said...


This post shares some valuable information.
AWS Training in Bangalore
AWS Training in Chennai
AWS Training in BTM
AWS Training in Marathahalli
Best AWS Training in Marathahalli
Data Science Courses in Bangalore
DevOps Training in Bangalore
PHP Training in Bangalore
DOT NET Training in Bangalore
Spoken English Classes in Bangalore

Lottery Winning Tips said...

Thanks for sharing valuable information.It will help everyone.keep Post.
Kerala Lottery Results Today Guessing Numbers

priyanka said...

wonderful one.
data science course in pune

Shruti said...

Everything is very open with a clear clarification of the challenges. It was really informative. Your website is useful. Thanks for sharing!

Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Shruti said...

I love looking through an article that will make people think. Also, many thanks for permitting me to comment!

Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Shruti said...

Great web site you have got here.. It’s hard to find quality writing like yours these days. I really appreciate individuals like you! Take care!!

Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

Unknown said...

Very nice artice. Thanks for sharing this beautiful article.
Realme C3 Gaming Review - PUBG Gameplay on Helio G70, FPS Test, Heating and Battery Drain

The Great Mind said...

best article Regards Lyrics world

Amit said...

i-LEND is an online marketplace connecting borrowers and lenders for loans. Although i-LEND verifies credentials of registered users on the site, it does not guarantee any loan offers by lenders nor does it guarantee any repayments by borrowers. Users make offers/loan requests at their own discretion with the understanding of the risks involved in such transactions including loss of entire capital and/or no guarantee of recovery. Please read our Legal agreements to understand more. personal loan

Nandhini said...

Thanks for sharing a post
Data Science with Python Training in BTM
UI and UX Training in BTM
Angular training in bangalore
Web designing Training in BTM
Digital Marketing Training in BTM

Nandhini said...


Data Science with Python Training in BTM
UI and UX Training in BTM
Angular training in bangalore
Web designing Training in BTM
Digital Marketing Training in BTM

TIB ACADEMY said...

Thanks for sharing the useful information...
Python Training in Bangalore
AWS Training in Bangalore
Data science with python training in bangalore
Machine Learning Training in Bangalore
Machine Learning with Python Training in Bangalore
UI Development Training in Bangalore

Best 5 Hotels in Bangalore said...

Thanks for sharing such a great and valuable information.
By- Certificate Attestation Services in Delhi

TIB ACADEMY said...

Thanks for sharing the useful information...
Python Training in Bangalore
AWS Training in Bangalore
Data science with python training in bangalore
Machine Learning Training in Bangalore
Machine Learning with Python Training in Bangalore
UI Development Training in Bangalore

Anonymous said...

personal loans in Dubai
personal loans bank
Dubai Islamic loan
Homeloan in UAE

Best 5 Hotels in Bangalore said...

Thanks for sharing such a great and valuable information.
By-Gulf attestation services

Best 5 Hotels in Bangalore said...
This comment has been removed by the author.
Dogi Lal said...

Usually I never comment on blogs but your article is so convincing that I never stop myself to say something about it. You’re doing a great job Man, Keep it up. Strange VPN Host

Jack sparrow said...



Hello, I have gone through your post Its really awesome.Thats a great article. I am also want to share about python training online and python tutorial videos .thank you

Divyansh Saxena said...

website designing company in moradabad

Android Mod Apk said...

Thanks for sharing valuable information.It will help everyone.keep Post.
Download Latest World War Heroes WW2 FPS Mod For Android Mobile..
Download Latest World War Heroes WW2 FPS Mod For Android Mobile.
Download Latest https://modedgame.com/world-war-heroes-mod/ For Android Mobile.

Elegant IT Services said...

Nice Blog...Thanks for sharing the information...
python training in bangalore

Elegant IT Services said...

Nice Blog...Thanks for sharing the information...
python training in bangalore

Elegant IT Services said...

Great Post...Thanks for Sharing the Information...
angularjs training in bangalore

Elegant IT Services said...

Nice Post...Thanks for sharing the information...
rpa training in bangalore

Admin said...

bigg boss malayalam season 2 vote

bigg boss tamil season 4 votebigg boss telugu season 4 vote

bigg boss hindi vote

celebratynews said...

tata sky customer care best services and offers updates
https://www.tataskycustomercare.com/
https://www.tataskycustomercare.com/2020/02/tata-sky-customer-care-numbers-helpline-contact.html

celebratynews said...

contact.html">tataskycustomerecare

celebratynews said...

https://www.tataskycustomercare.com/

celebratynews said...

https://www.tataskycustomercare.com/

bavisthra said...

Study data analytics course in bangalore with ExcelR where you get a great experience and better knowledge .
data analytics course in bangalore

Admin said...

bigg boss malayalam vote season 2

celebratynews said...

tata sky all services tata sky customer care

tata sky customercare

bavisthra said...

Study Machine Learning Training in Bangalore with ExcelR where you get a great experience and better knowledge .
Machine Learning Training in Bangalore

Unknown said...

Hi
Thanks for sharing Loving the information on this website, you have done outstanding job on the blog posts.
https://www.triptravels.online/

Shivani said...


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


Selenium Courses in Marathahalli

selenium institutes in Marathahalli

selenium training in Bangalore

Selenium Courses in Bangalore

best selenium training institute in Bangalore

selenium training institute in Bangalore

VanithaSEO said...

1Croreprojects Centers in Chennai.
engineering project centers in chennai
eee project centers in chennai
pg project centers in chennai
ug project centers in chennai
it project centers in chennai

Anonymous said...

Guest Post site

How to install Kodi on the firestick

Download joker movie

priyanka said...

well said.
data science courses in pune

Syed MD Anas 999 said...

wedding anniversary wishes for wife
wedding anniversary wishes for husband
wedding anniversary wishes for sister
wedding anniversary wishes for parents
wedding anniversary wishes for friends

Nandhini said...

Thanks for sharing the information
Data Science with Python Training in BTM
UI and UX Training in BTM
Angular training in BTM
Web designing Training in BTM
Digital Marketing Training in BTM

nowfirstviral said...

The second round of betting starts with the player sitting to the left of the dealer. People have to raise the amount on the basis of small bet. In this round also, bet can be raised for three times. People can also opt for check in which they have to decline the chance of betting but will remain in the game. 007카지노

Anonymous said...

It Really useful information. Thank you so much for sharing.It will help everyone.Keep Post.servicenow online training

hamza khan said...

Download Free App, Apk Files, Online Earning short4u.pk

bavisthra said...

Study Machine Learning Course Bangalore with ExcelR where you get a great experience and better knowledge .
Machine Learning Course Bangalore

Gurvinder sir said...

The Long path tool is the very best program for error, unlock solution.
RSCIT Exam Important Question in Hindi

Ashish Mishra said...

Ranji Trophy

Ecare Technologies said...

Thanks for sharing such valuable information with us...
Java Training in Bangalore

Plumbing & HVAC Services San Diego said...

Big Truck Tow: Heavy Duty towing service san jose

We're rated the most reliable heavy duty towing san jose service & roadside assistance in San Jose!
Call us now! We're ready to help you NOW!

Since 1999, tow truck san jose has provided quality services to clients by providing them
with the professional care they deserve. We are a professional and affordable Commercial
Towing Company. BIG TRUCK TOW provides a variety of services, look below for the list of
services we offer. Get in touch today to learn more about our heavy duty towing


Click here to Find tow truck near me

Dhanraj said...

https://www.latestsonglyrics.xyz/2020/03/main-rang-sharbaton-ka-lyrics-latest.html

svrtechnologies said...

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

best aws training in bangalore
aws courses in bangalore

Elegant IT Services said...

Wonderfull blog!!! Thanks for sharing wit us...
Python Course in Bangalore

Vijayakash said...

Python Training in Chennaii


Excellent blog with lots of information. I have to thank for this. Do share more.

Chakrikhabor247.com said...

backlink kese crite kariya

Excelrsolutions said...

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

Abu samad said...

Thanks for the post. It was very interesting and meaningful.
AngularJS Training in Pun
RPA Training Institute in Pune

priyanka said...

data scientist course in pune

Agastya said...

KinMAster Mod APK
Jio Phone 3
TamilRicokers Unblocked
Watch HD Movies online free

nowfirstviral said...

스포츠는 세계에서 오랜 전통이며 농구는 많은 사람들에게 인기가 있습니다. 당신은 남자와 여자가 ​​게임을 즐기고 법원에서 기술을 완벽하게 즐길 수 있습니다. 게임을 향상시키는 좋은 방법 중 하나는 게임 방법과 전문가처럼 게임하는 방법에 대해 가능한 모든 것을 배우는 것입니다.

잘 찍었다 고 생각되면 촬영하십시오. 배우기가 어려울 수 있습니다. 충분하지 않은 촬영과 너무 자주 촬영하는 것 사이에는 균형이 있습니다. 지나 가려고해서 멋진 사진을 찍기를 원치 않지만 패스를하지 않기 때문에 몇 가지 포인트를 놓치고 싶지 않습니다.

촬영할 때는 항상 따르십시오. 연습하는 가장 좋은 방법은 공이 바구니에 들어가거나 놓칠 때까지 팔로어를 따라 잡는 것입니다. 이것은 왜 당신이 기회를 놓쳤는 지 또는 일관성을 위해 노력해야 할 곳에 대한 단서를 제공 할 것입니다. 다른 플레이어들이 어떻게 자신의 리드를 따르고 따르는 지 지켜보십시오.

반동 할 때, 사수가 풀리 자마자 움직이기 시작하십시오. 반응하고 더 빨리 움직일 때, 그들의 움직임을 더 잘 예측하고 더 많은 반동을 얻습니다. 그들이 풀리기 시작하면, 그들을 막아서 접촉을 시작하십시오. 범인이 반동 후 풀림을 시도 할 가능성이 높으므로 공격시에도 동일한 작업을 수행해야합니다. 리바운드 횟수를 늘릴 수 있습니다.

연습보다 게임을 더 많이 준비하지 마십시오. 연습용 테이프를 사용하지 않으면 게임용으로 사용하지 마십시오. 연습보다 자연스럽게 게임을 더 심각하게 생각합니다. 그러나 과도하게 준비하여 게임에 대해 당황 할 필요는 없습니다. 일관되고 차분한 일상을 가지십시오.

보시다시피, 그물을 통해 공을 얻는 것보다 농구에 더 많은 것이 있습니다. 이 기사와 다른 기사에서 배운 내용을 게임 레벨에 영향을 미치십시오. 최고가되기 위해 노력하고 자신이 아는 것을 시험에 넣으십시오 안전놀이터

manimaran said...

It is amazing and wonderful to visit your site.Thanks for sharing this information,this is useful to me...
http://glimtechnologies.com/java-training-coimbatore/
http://glimtechnologies.com/digital-marketing-training-coimbatore/
http://glimtechnologies.com/seo-training-coimbatore/
http://glimtechnologies.com/tally-training-coimbatore/
http://glimtechnologies.com/python-training-in-coimbatore/
http://glimtechnologies.com/hadoop-training-in-coimbatore/
http://glimtechnologies.com/big-data-training-in-coimbatore/

manimaran said...

It is amazing and wonderful to visit your site.Thanks for sharing this information,this is useful to me...
http://onlinejobsupport.net/online-job-support-from-india/
http://onlinejobsupport.net/job-support/java-online-job-support/
http://onlinejobsupport.net/job-support/php-online-job-support/
http://onlinejobsupport.net/job-support/selenium-online-job-support/
http://onlinejobsupport.net/job-support/dotnet-online-job-support/
http://onlinejobsupport.net/job-support/devops-online-job-support/
http://onlinejobsupport.net/job-support/manual-testing-online-job-support/

Never Ending Footsteps said...


You can do indian visa online very easily here.

Never Ending Footsteps said...

You can do visa inde very easily here.

Prwatech said...

I am happy for sharing on this blog its awesome blog I really impressed. thanks for sharing. Great efforts.

Looking for Big Data Hadoop Training Institute in Bangalore, India. Prwatech is the best one to offers computer training courses including IT software course in Bangalore, India.

Also it provides placement assistance service in Bangalore for IT. Best Data Science Certification Course in Bangalore.

Some training courses we offered are:

Big Data Training In Bangalore
big data training institute in btm
hadoop training in btm layout
Best Python Training in BTM Layout
Data science training in btm
R Programming Training Institute in Bangalore

bavisthra said...

Study Artificial Intelligence Course with ExcelR where you get a great experience and better knowledge.
 Artificial Intelligence Course 

priyanka said...

I finally found great post here.I just added your blog to my bookmark sites. thanks.Quality posts is the crucial to invite the visitors to visit the web page, that's what this web page is providing.
data science courses in pune

Saniya Mirza 999 said...

beach captions

attitude captions

birthday wishes instagram captions

The Social Captions

UmarRaza said...

StoryArt Best insta story editor download

Unknown said...

This excellent website definitely has all of the info I needed concerning speak this subject and didn’t know who to ask.

AlisonKat said...

I found your article on Google when I was surfing, it is written very nicely and is optimized .Thank you I visit your website regularly.
temperature in chandigarh

Shivani said...

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



Selenium Training in Bangalore

Selenium Training in Marathahalli

Selenium Courses in Bangalore

best selenium training institute in Bangalore

Shivani said...

Greetings! Very helpful advice within this article! It is the little changes that produce the largest changes. Many thanks for sharing!

Best Advanced Java Training In Bangalore Marathahalli

Advanced Java Courses In Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Training Center In Bangalore

msruku said...

Every year ssc result will published within 3 month after finished exam. All Education board announced their ssc exam result 2020 via official notice. Most probably, SSC result 2020 published on 6 may 2020. Most of the time result will published on after 2 pm.Check

HindiProgrammer said...

happy birthday wishes marathi

marathi attitude status

Nikhil Babu Bayya said...

Best 2 3 4 burner gas stove in india

Best 2 burner gas stove

Best 3 burner gas stove

Best 4 burner gas stove









best-2-burner-gas-stove-in-india

Best 2 burner gas stove

https://www.bestgasstoveinindia.com/best-2-burner-gas-stove-in-india/




best-3-burner-gas-stove-in-india

Best 3 burner gas stove




best-4-burner-gas-stove-in-india

Best 4 burner gas stove




best-gas-stove-in-india

Best 2 3 4 burner gas stove in india



https://www.bestgasstoveinindia.com/best-3-burner-gas-stove-in-india/
https://www.bestgasstoveinindia.com/best-4-burner-gas-stove-in-india/
https://www.bestgasstoveinindia.com/

Nikhil Babu Bayya said...

best laptop configuration under 30000

best laptops under 30000 with i5 processor

laptop with i5 processor under 30000

laptops under 30k

best laptop under 30000 with i5 processor and 8gb ram

best laptop upto 30000

i5 laptops under 30000

best hp laptop under 30000

slim laptops under 30000

Admin said...

bigg boss vote
bigg boss 14 vote
bigg boss telugu vote
bigg boss tamil vote

ALL IN ONE said...

Cricask

Shivani said...

There is definately a lot to know about this issue. I like all the points you've made.


Best Advanced Java Training In Bangalore Marathahalli

Advanced Java Courses In Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Training Center In Bangalore

Selenium Training in Bangalore

Selenium Training in Marathahalli

Selenium Courses in Bangalore

best selenium training institute in Bangalore

Android Training in Jaipur said...


Machine Learning in jaipur
Give a right direction to your career. Join Dzone for job oriented training and a practical hands-on training
FREE demo classes
Join Now !!
call : 9829708506

Android Training in Jaipur said...


Machine Learning in jaipur
Give a right direction to your career. Join Dzone for job oriented training and a practical hands-on training
FREE demo classes
Join Now !!
call : 9829708506

Android Training in Jaipur said...

DZone Internship/Training 2020
Are you searching for Python | Machine Learning | Data Science | Tableau | Java | Android | P.H.P | Digital Marketing Internship in Jaipur?
Join our project based Job-Oriented Training / Internship under expert guidance.
Hurry!! 50% discount available on all Courses.
To Avail this Opportunity Reserve Your Seats Now !!
ENROLL NOW!!
To book free demo session, feel free to call us at 8432830240 or 0141-4108506..

Android Training in Jaipur said...

DZone Jaipur is offering job oriented training and live project based training in Android app development.
New batches starting, if any one want to become Android developer or want to grab job in IT industry can contact us.
Book your Seat today and get discount 10% on training.
Few seats are available only.
REGISTRATION OPEN!!
ENROLL NOW!!
To book free demo session, feel free to call us at 8432830240 or 0141-4108506.
#DZONE
#training
#Androidapp
#job

Android Training in Jaipur said...



PYTHON TRAINING IN JAIPUR
Hey, Are you looking for the best python training in Jaipur ,so grab this opportunity . DZONE is here for you with the best online and offline Classes ,Techniques and Experiences .Join us to improve your skills and Better Future
REGISTRATION OPEN!!
ENROLL NOW!!
To book free demo session, feel free to call us at 8432830240 or 0141-4108506.

Android Training in Jaipur said...


One of the greatest benefits of digital marketing is that it allows you to target your ideal buyers.
We Provide complete digital marketing course in 3 months.
include in this course: SEO, SEM,GOOGLE ADS,Email Marketing, Web Development etc.
✔️100% Best knowledge
✔️professional and experienced
✔️practical training
✔️100% certification after the complete cours
✔️Online Classes are available

Android Training in Jaipur said...

DZone Internship/Training 2020
Are you searching for Python | Machine Learning | Data Science | Tableau | Java | Android | P.H.P | Digital Marketing Internship in Jaipur? Join our project based Job-Oriented online/offline Training under expert guidance. Hurry!! 50% discount available on all Courses. To Avail this Opportunity Reserve Your Seats Now !! ENROLL NOW!! To book free demo session, feel free to call us at 8432830240 or 0141-4108506..

priyanka said...

Excellent Blog! I would like to thank for the efforts you have made in writing this post. I am hoping the same best work from you in the future as well. I wanted to thank you for this websites! Thanks for sharing. Great websites!
data science courses in pune

adobe mahbub said...

Nice to meet you as well! Thank you for commenting on my post.
I follow the link. Thank You!!!

Best Wishes from

basingstokebusinessclub

Techtrick said...

convert youtube to mp3

youtube to mp3 converter

youtube to mp3 converter online

movierulz

3movierulz.com

movierulz telugu

forgot paytm password

paytm forgot password

paytm login password forgot

RIA Institute of Technology said...

Really great post...Thanks for sharing...
angular js training in bangalore

kahuja said...

Wonderful post.Really useful information. Thank you so much for sharing.It will help everyone.Keep Posting.
Python classes in Pune

Shruti said...

Pretty! This has been an extremely wonderful article. Thank you for providing this information.

Best Advanced Java Training In Bangalore Marathahalli

Advanced Java Courses In Bangalore Marathahalli

Advanced Java Training Center In Bangalore

Advanced Java Training Center In Bangalore

Selenium Training in Bangalore

Selenium Training in Marathahalli

Selenium Courses in Bangalore

best selenium training institute in Bangalore



nikhil reddy said...

I found a lot of information here to create this actually best for all newbie here. Thank you for this information.

Artificial Intelligence Training In Hyderabad

nikhil reddy said...

Thanks For Sharing The Valuable Content Its Good

Big Data Analytics Training In Hyderabad

Jack sparrow said...

I am reading your post from the beginning, it was so interesting to read & I feel thanks to you for posting such a good blog, keep updates regularly.i want to share about informatica mdm training and core java video tutorials

RIA Institute of Technology said...

Thanks for sharing such a nice information with us...
Java Training in Bangalore

Mr Sourav said...

Nice Article, Thanks For Sharing The helpful content...
Keep Also Check My new article..
Blogging kya hai
Social Media Marketing kya Hai
Top 5 best smartphone under 10000 in hindi
Sim swap kya hai

Ekant Dakre said...

Download latest android mods Apk for free

Youtube Music Mod Apk

Hotstar Mod Apk

Hotstar Mod Apk

Vidmix Apk

svrtechnologies said...

Pretty article! I found some useful information in your blog, it was awesome to read, thanks for sharing this great content to my vision, keep sharing.

microsoft azure training

Jack sparrow said...


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

adobe mahbub 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
catchcheatingspouse

PlayBoy SI said...

Mini Militia

Sachin Verma said...

Nextbuy helps Indian Online Shoppers to choose the Best Android TV and Cheap products in tech space through our carefully data-backed analysis of products by Industry Experts.

nowfirstviral said...

nice post always valuable content available here for latest movies downloading sites 파워볼사이트

Unknown said...

best mouse for autocad and 3d modeling

Lyrics Pro said...

dil apni haddon se lyrics

test said...

how to get adsense approval

Sonu said...

nice post

Kalyan said...

Really useful information. Thank you so much for sharing. i share in social media this article post also. Must you finding mind game like Satta matka

Diwali Greetings 2020 said...

Tamilyogi 2020 Movies

TamilRockers New Link May 2020

free download latest bollywood & hollywood movies

khatrimaza Download Latest Movies


MovieRulz Hindi Download Latest Movies 2020

tamilrockers 2020

Sharma said...


It is amazing and wonderful to visit your site.Thanks for sharing this information,this is useful to me...

Digital Marketing Certification Training
AWS Certification Training
Python Certification Training

kahuja said...

Wonderful article sir. an excellent information given by you during this blog. It really informative and really helpful. Keep posting are going to be expecting your next blog.Thank you.

Python training in Pune

kahuja said...

Wonderful article sir. an excellent information given by you during this blog. It really informative and really helpful. Keep posting are going to be expecting your next blog.Thank you.
Angularjs training in Pune

Vishali said...

The knowledge of technology you have been sharing thorough this post is very much helpful to develop new idea. here by i also want to share this.
Python Online Training
Digital Marketing Online Training
AWS Online Training

istiaq ahmed said...

We provide influencer marketing campaigns through our network professional African Bloggers, influencers & content creators.

istiaq ahmed said...

We provide influencer marketing campaigns through our network professional African Bloggers, influencers & content creators.

shubham said...

Download this app KineMaster Mod Apk

es file explorer mod apk

Ben Johnson said...

Excellent Blog..Thanks for the information...

Artificial Intelligence Training in Chennai
Best Artificial Intelligence Training in Chennai BITA Academy
artificial Intelligence certification training in chennai
artificial Intelligence training institutes in chennai
artificial Intelligence course in chennai
artificial Intelligence training course in chennai
artificial Intelligence course in chennai with placement
artificial Intelligence course fees in chennai
AI Training in Chennai
artificial Intelligence training in omr
artificial Intelligence training in velachery
Best artificial Intelligence course fees in chennai
artificial Intelligence course in omr
artificial Intelligence course in velachery
Best artificial Intelligence course in chennai

Students Scope said...

Who Is IAS Officer How to Become An IAS Officer.

Who Is Mayank Gupta.

Blue Sky said...

This is the exact information I am searching for, Thanks for sharing this info.
Best regards,
BlueSkyBD

Indhu said...

Thanks for sharing this information. It's useful for us
Get Artificial Intelligence Training in Coimbatore offered by Qtree.We are Best AI Training in Coimbatore with 100% Job.To know more about Artificial Intelligence certification Course in Coimbatore.Enroll Today
artificial intelligence training in coimbatore

bavisthra said...

Study ExcelR Machine learning course bangalore where you get a great experience and better knowledge.Machine learning course bangalore

shubham said...

Android Mod Apk

KineMaster Mod Apk

es file Pro

Nova Launcher Pro


Angela said...

I found your article on Google when I was surfing, it is written very nicely and is optimized .Thank you I visit your website regularly.
a mirror of common errors pdf

karthickannan said...

very nice .....
coronavirus update
inplant training in chennai
inplant training
inplant training in chennai for cse
inplant training in chennai for ece
inplant training in chennai for eee
inplant training in chennai for mechanical
internship in chennai
online internship

Arunvijay said...

great...

Coronavirus Update
Intern Ship In Chennai
Inplant Training In Chennai
Internship For CSE Students
Online Internships
Internship For MBA Students
ITO Internship

Jack sparrow said...




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

mobile ka bapu ji said...

tataskycustomercarenice artical good work

Logo Mine said...

Just to see your post that very nicely written. I think a logo is the inspiration of any business

travel and hospitality logos

Admin said...

bigg boss tamil season 4 voting
bigg boss hindi voting
bigg boss telugu season 4 voting


bigg boss malayalam vote poll

bigg boss tamil online voting result

bigg boss telugu online voting poll

Movierules said...

What Is Projector In Hindi

EZTV 2020 Download Bollywood Full HD Movies

Download Bollywood, Hollywood Dubbed 300MB Movies

khatrimaza Download Latest Movies 2020

RARBG Proxy List of 2020

Tamilrockers New Link 2020

1337x Torrent Movies Download

9xmovies 2020

how to become an affiliate marketer hindi

kidsenglishcollege said...

https://techvineyard.blogspot.com/2011/01/ssh-setup-for-hbase.html?showComment=1587982196955#c6157076488863755918

kidsenglishcollege said...

We develop free teaching aids for parents and educators to teach English to pre-school children. For more info please visit here: English for children

divya said...

Thanks for one marvelous posting!regarding Angular js. I enjoyed reading it; you are a great author. I will make sure to bookmark your blog and may come back someday. I want to encourage that you continue your great posts.

Java training in chennai | Java training in annanagar | Java training in omr | Java training in porur | Java training in tambaram | Java training in velachery

Dhanraj said...

Do you know how to save tree slogans

Rakesh Patel said...



The article provides good information and here i want to share some information about apex training and oracle apex training videos

Unknown said...

Thats a great article

Check out flimyzilla
Check out jobmatebd

Rakesh Patel said...


I am reading your post from the beginning, it was so interesting to read & I feel thanks to you for posting such a good blog, keep updates regularly.I want to share
about apex training and tableau training videos .

Sanjeev Besra said...

Great content thanks for sharing. I was looking for an article
related to this topic. You provide so much information in your
posts. It was a worthwhile reading this article.I really enjoyed
it. Also read my blog Techtually
swift vs objective-c 2020

mansi said...

web design and development company is one of the successful firms and Our website design and development services function around working in a way to join every small element that goes into bringing up a useful website. So, all the marketing supports and work towards driving the traffic to the website. With progress in website designing and development technology in all these years, being the best Website Designing and Development company. we have digital marketing tools than ever before. Our well-designed websites are supported by social media, blogs, and mobile to easily target and convert users with web application development that offers positive user experience. Web and graphic designers agree that usability, functionality, and visualization are the key to an application interface or website. As a web design and development company, we provide some best services for you, like design, development, and online marketing. so come and join and grow your business with web design and development company.
fore more info visit our website @webgiantinfotech.com or call (India)+91-8307599181 (US) +1(800) 697-7178
(https://www.webgiantinfotech.com/)

Samuel Jedo said...

Hey, if you are struggling to make money online and feeling like giving up, maybe you need to read this for the MOTIVATION!
Thanks:)

«Oldest ‹Older   1201 – 1400 of 2285   Newer› Newest»