Memory Management
Memory management in C is viewed by some to be quite tricky. One needs to work with pointers that can point anywhere in memory, and if misused, cause a program to misbehave, or worse.The basic functions to allocate and deallocate memory in C are malloc() and free() respectively. The malloc() function takes a size in bytes of how much to allocate, and returns a pointer to the allocated memory to be used. Upon failure, a null pointer, which can be thought of as a pointer pointing to 0 is returned. The free() function takes the pointer returned by malloc(), and deallocates the memory, or frees up the memory it was once pointing to.
To work with malloc() in simple situations, typically, code along the following lines is used:
void *p = malloc(size);
if (p)
{
... work with p ...
free(p);
}
else
{
... handle error scenario ...
}
Unfortunately many experienced programmers forget to handle the failure scenario. I've even heard some say they purposely don't, as they have no clue how to proceed, and just letting the program crash is good enough for them. If you meet someone who makes that argument, revoke their programming license. We don't need such near sighted idiots writing libraries.
In any case, even the above can lead to some misuse. After this block of code runs, what is p now pointing to?
After the above code runs, in the case that malloc() succeeded, p is now pointing to memory in middle of nowhere, and can't be used. This is known as a dangling pointer. Dangling pointers can be dangerous, as an if clause as above will think the pointer is valid, and may do something with it, or lead to the infamous use after free bug. This becomes more likely to occur as the situation becomes more complicated and there are loops involved, and how malloc() and free() interact can take multiple paths.
Pointers involved with memory management should always be pointing at 0 or at allocated memory. Anything else is just asking for trouble. Therefore, I deem any direct use of free() dangerous, as it doesn't set the pointer to 0.
So if free() is considered harmful, what should one use?
In C++, I recommend the following:
static inline void insane_free(void *&p)
{
free(p);
p = 0;
}
This insane_free() is now a drop in replacement for free(), and can be used instead. (Since C++ programs normally use new and delete/delete[] instead, I leave it as an exercise to the reader how to work with those.)
However, C doesn't support direct references. One can pass a pointer by a pointer to accomplish similar results, but that becomes clunky and is not a drop in replacement. So in C, I recommend the following:
#define insane_free(p) { free(p); p = 0; }It makes use of the preprocessor, so some may consider it messy, but it can be used wherever free() currently is. One could also name the macro free in order to automatically replace existing code, but it's best not to program that way, as you begin to rely on these semantics. This in turn means someone copying your code may think a call to free() is the normal free() and not realize something special is occurring when they copy it elsewhere without the macro.
Correct usage in simple cases is then:
If you think using a wrapper macro or function is overkill, and just always manually assigning the pointer to 0 after freeing is the way to go, consider that it's unwieldy to constantly do so, and you may forget to. If the above technique was always used, all use after free bugs would never have occurred in the first place.void *p = malloc(size);
if (p)
{
... work with p ...
insane_free(p);
}
else
{
... handle error scenario ...
}
Something else to be aware of is that there's nothing wrong with calling free(0). However, calling free() upon a pointer which is not null and not pointing to allocated memory is forbidden and will crash your program. So stick to the advice here, and you may just find memory management became significantly easier.
If all this talk of pointers is beyond you, consider acquiring Understanding and Using C Pointers.
sprintf() and asprintf()
If you do a lot of C programming, at some point, you probably have used the sprintf() function, or its safer counterpart snprintf().These two functions sprintf() and snprintf() act like printf(), but instead of printing to the standard output, they print to a fixed-length string buffer. Now a fixed-length string buffer is great and all, but what if you wanted something which automatically allocated the amount it needed?
Enter asprintf(), a function which acts like sprintf(), but is auto-allocating, and needs no buffer supplied. This function was invented ages ago by GLIBC, shortly thereafter copied to the modern BSDs, and found its way further still into all sorts of libraries, although is not yet ubiquitous.
Let's compare the prototypes of the two:
int sprintf(char *buffer, const char *format, ...);
int asprintf(char **ret, const char *format, ...);The sanest approach would have been for a function like asprintf() to have the prototype of:
char *asprintf(const char *format, ...);But its creators wanted to make it act like sprintf(), and its design can also be potentially more useful.
Instead of passing asprintf() a buffer, a pointer to a variable of type char * needs to be passed, like so:
Now how asprintf() actually works is no big secret. The C99 standard specified that snprintf() upon failure should return the amount of characters that would be needed to contain its output. Which means that conceptually something along the following lines would be all that asprintf() needs to do:char *buffer;
asprintf(&buffer, ...whatever...);
Of course though, the above taken verbatim would be incorrect, because it mistakenly assumes that nothing can go wrong, such as the malloc() or snprintf() failing.char *buffer = malloc(snprintf(0, 0, format, data...)+1);
sprintf(buffer, format, data...);
First let's better understand what the *printf() functions return. Upon success, they return the amount of characters written to the string (which does not include the trailing null byte). Or in other words, the return value is equivalent to calling strlen() on the data being output, which can save you needing to use a strlen() call with sprintf() or similar functions for certain scenarios. Upon failure, for whatever reason, the return is -1. Of course there's the above mentioned exception to this with snprintf(), where the amount of characters needed to contain the output would be returned instead. If during the output, the size overflows (exceeds INT_MAX), many implementations will return a large negative value (failure with snprintf(), or success with all the functions).
Like the other functions, asprintf() also returns an integer of the nature described above. Which means working with asprintf() should go something like this:
However, unlike the other functions, asprintf() has a second return value, its first argument, or what the function sees as *ret. To comply with the memory management discussion above, this should also be set to 0 upon failure. Unfortunately, many popular implementations, including those in GLIBC and MinGW fail to do so.char *buffer;
if (asprintf(&buffer, ...whatever...) != -1)
{
do_whatever(buffer);
insane_free(buffer);
}
Since I develop with the above systems, and I'm using asprintf() in loops with multiple paths, it becomes unwieldy to need to pass around the buffer and the returned int, so I'd of course want saner semantics which don't leave dangling pointers in my program.
In order to correct such mistakes, I would need to take code from elsewhere, or whip up my own function. Now I find developing functions such as these to be relatively simple, but even so, I always go to check other implementations to see if there's any important points I'm missing before I go implement one. Maybe, I'll even find one which meets my standards with a decent license which I can just copy verbatim.
In researching this, to my shock and horror, I came across implementations which properly ensure that *ret is set to 0 upon failure, but the returned int may be undefined in certain cases. That some of the most popular implementations get one half wrong, and that some of the less popular get the other half wrong is just downright terrifying. This means that there isn't any necessarily portable way to check for failure with the different implementations. I certainly was not expecting that, but with the amount of horrible code out there, I guess I really shouldn't be surprised anymore.
Also in the course of research, besides finding many implementations taking a non-portable approach, many have problems in all sorts of edge cases. Such as mishandling overflow, or not realizing that two successive calls to a *printf() function with the same data may not necessarily yield the same results. Some try to calculate the length needed with some extra logic and only call sprintf() once, but this logic may not be portable, or always needs updating as new types are added to the format string as standards progress, or the C library decided to offer new features. Some of the mistakes I found seem to be due to expecting a certain implementation of underlying functions, and then later the underlying functions were altered, or the code was copied verbatim to another library, without noting the underlying functions acted differently.
So, once again, I'm finding myself needing to supply the world with more usable implementations.
Let's dive into how to implement asprinf().
Every one of these kind of functions actually has two variants, the regular which takes an unlimited amount of arguments, and the v variants which take a va_list (defined in stdarg.h) after the format argument instead. These va_lists are what ... gets turned into after use, and in fact, every non-v *printf() function is actually wrapped to a counterpart v*printf() function. This makes implementing asprintf() itself quite straight forward:
To fix the aforementioned return problems, one could also easily throw in here a check upon the correct return variable used in the underlying vasprintf() implementation and use it to set the other. However, that's not a very portable fix, and the underlying implementation of vasprintf() can have other issues as described above.
As long as you have a proper C99 implementation of stdarg.h and vsnprintf(), you should be good to go. However, some systems may have vsnprintf() but not va_copy(). The va_copy() macro is needed because a va_list may not just be a simple object, but have handles to elsewhere, and a deep copy is needed. Since vsnprintf() being passed the original va_list may modify its contents, a copy is needed because the function is called twice.
Microsoft Visual C++ (MSVC, or Microsoft Vs. C++ as I like to think of it) up until the latest versions has utterly lacked va_copy(). This and several other systems that lack it though usually have simple va_lists that can be shallow copied. To gain compatibility with them, simply employ:
#ifndef va_copy
#define va_copy(dest, src) dest = src
#endif
Be warned though that if your system lacks va_copy(), and a deep copy is required, using the above is a recipe for disaster.
Once we're dealing with systems where shallow copy works though, the following works just as well, as vsnprintf() will be copying the va_list it receives and won't be modifying other data.
Before we go further, there's two points I'd like to make.
- Some implementations of vsnprintf() are wrong, and always return -1 upon failure, not the size that would've been needed. On such systems, another approach will need to be taken to calculate the length required, and the implementations here of vasprintf() (and by extension asprintf()) will just always return -1 and *ret (or *strp) will be 0.
- The code if ((r < 0) || (r > size)) could instead be if (r != size), more on that later.
Now on Windows, vsnprintf() always returns -1 upon failure, in violation of the C99 standard. However, in violation of Microsoft's own specifications, and undocumented, I found that vsnprintf() with the first two parameters being passed 0 as in the above code actually works correctly. It's only when you're passing data there that the Windows implementation violates the spec. But in any case, relying on undocumented behavior is never a good idea.
On certain versions of MinGW, if __USE_MINGW_ANSI_STDIO is defined before stdio.h is included, it'll cause the broken Windows *printf() functions to be replaced with C99 standards compliant ones.
In any case though, Windows actually provides a different function to retrieve the needed length, _vscprintf(). A simple implementation using it would be:
This however makes the mistake of assuming that vsnprintf() is implemented incorrectly as it currently is with MSVC. Meaning this will break if Microsoft ever fixes the function, or you're using MinGW with __USE_MINGW_ANSI_STDIO. So better to use:
Lastly, let me return to that second point from earlier. The vsnprintf() function call the second time may fail because the system ran out of memory to perform its activities once the call to malloc() succeeds, or something else happens on the system to cause it to fail. But also, in a multi-threaded program, the various arguments being passed could have their data change between the two calls.
Now if you're calling functions while another thread is modifying the same variables you're passing to said function, you're just asking for trouble. Personally, I think that all the final check should do is ensure that r is equal to size, and if not, something went wrong, free the data (with insane_free() of course), and set r to -1. However, any value between 0 and size (inclusive), even when not equal to size means the call succeeded for some definition of success, which the above implementations all allow for (except where not possible Microsoft). Based on this idea, several of the implementations I looked at constantly loop while vsnprintf() continues to indicate that the buffer needs to be larger. Therefore, I'll provide such an implementation as well:
Like the first implementation, if all you lacked was va_copy(), and shallow copy is fine, it's easy to get this to work on your platform as described above. But if vsnprintf() isn't implemented correctly (hello MSVC), this will always fail.
All the code here including the appropriate headers, along with notes and usage examples are all packed up and ready to use on my asprintf() implementation website. Between everything offered, you should hopefully find something that works well for you, and is better than what your platform provides, or alternative junk out there.
As always, I'm only human, so if you found any bugs, please inform me.
394 comments:
1 – 200 of 394 Newer› Newest»Code as images? I thought that you were better than that.
Hi henke37,
As part of the continual degrade of Blogger, it is now very difficult to post code into posts, especially if they contain < or >.
As a new problem with Blogger that I saw for the first time writing this article, formatting now also randomly changes.
You'll notice the #ifdef code has weird spacing which I couldn't fix without it degrading into something worse.
After trying half a dozen times to get the large code samples to display correctly, I gave up and resorted to images.
In any case, I link to a location you can get the code as text in a tidy package.
Due to the issues here though, I probably will one of these days take my articles to my own server, with my own blogging software which I can properly manage instead of the nightmare Blogger has become.
Interesting article. I never considered that variable arguments in C might require a deep copy.
Would you happen to know of a scenario where this is the case?
Offhand, Linux on AMD64 requires it.
To me all this says to use C++ strings wherever possible.
Dear insane coder,
this page of yours - http://asprintf.insanecoding.org/ - that I found on a DuckDuckGo search did not contain any contact information and neither did the blogspot.com blog of yours. See http://www.shlomifish.org/meta/FAQ/#obscure_email_addr . As a result I have to resort to posting a comment here that there's a typo there - "aquire" should be "acquire" - see https://en.wiktionary.org/wiki/aquire . Please correct it and please include some form of contact information on your web-sites.
Regards,
-- Shlomi Fish
Hello Shlomi
Thank you for catching that typo, it has been fixed.
The reason I do not include contact information is not because of spam (although spam is an issue), but simply because I don't like being bothered. Most of my readers know how to get a hold of me on IRC (FreeNode). If there's something in particular you'd like to discuss, I can contact you ;-)
When you read about so-and-so celebrity's "rehab that didn't work the first time" you seldom get details about the program. Was it a faith-based 12-step program, or another type of approach Did the person just have drug detox but no rehab How long did they stay with the program Was it in-patient or out-patient? There are many other variables.
inspirational quotes for addiction
rehab quotes
happy anniversary di and jiju
happy anniversary uncle aunty
This is one of the new internet based life stages that put in it's absolute best effort to after YesPornPlease's dirty tricks. Other than offering an option for
YesPornPlease clients, it is additionally giving control. I mean over; who sees your substance, offers or remarks posts, offering settled remark strings, boycotting
and private informing just as client made networks. While it appears to be excessively much for them to eat up, my anxiety is having porn YesPornPlease style, and in the event that they have that, at that point we are acceptable!
yespornplease
Benificial for Ibps po, Clerk, SBI clerk, PO, RRB PO, Cler and Other Competitive Examination
English Comprehension 2020
What is NPA ( Non- Performing Assets )
Thanks for shairing this information
Statutory and Regulatory Provisions
토토사이트검증 토토 먹튀 검증 저희 먹튀커머스 는 2016년 5월 부터 지금까지 먹튀커머스 를 믿고 방문 해주시는 유저 분들을 위해 더이상 먹튀 없는 공정한 배팅 문화 를 만들기 위해서 항상 노력하고 유저분들에 소리에 귀를 기울리는 NO.1 먹튀검증 커뮤니티 입니다. 또한 먹튀커머스 에서는 무분별한 배팅사이트 들을 일방적으로 추천 하지 않고 철저한 검수 작업을 토대로 사전에 먹튀 사고가 발생 안되게끔 유저 분들 에게 추천하는 만큼 저희측에 등록 되어 있는 배팅사이트 내에서 혹여 먹튀가 발생 한다면 오로지 그책임은 저희 먹튀커머스 에 있음을 알려 드립니다. / 먹튀 검증
yespornplease
yespornplease
its a great article !!!!!!!!! JobAlert247 A Job Alert Website
MovieRulz Best Movie Download Website
Hello, I really enjoyed reading your post. Actually I'm doing something similar to yours. You and I have a lot in common. Like you, I have posted a lot of articles on my website. If you are interested, please visit and read. Thank you. Have a nice day. 토토사이트
I am looking for and I love to post a comment that provide on this site has helped me greatly. 토토사이트
Thanks for your marvelous posting! I actually enjoyed reading it, you could be
a great author.I will remember to bookmark your blog and will먹튀검증
eventually come back from now on. I want to encourage you to continue your great
writing, have a nice weekend!
Thanks for your nice post I really like it and appreciate it.
free netflix accounts flixarena
purse string wrinkles
karmically linked zodiac signs
Thank you. I'll be back every day. Guess I will just bookmark this site. 토토
You’re incredible! Thank you! The blog is instructive additionally 안전놀이터
I’m gone to inform my오피
little brother, that he should also pay a quick visit this blog on regular basis to obtain updated from most recent
news.
Nice Blog. Thanks for sharing with us. Such amazing information.
Only Blog
Guest Blogger
Guest Blogging Site
Guest Blogging Website
Guest Posting Site
Hello
Thank you for giving me useful information.
Please keep posting good information in the future
I will visit you often. Thank you.
I am also running the site. 메이저놀이터 This is a related site, so please visit once.
Have a niceday!
Jeongsu-bin, who was sprinting after sending a ground ball from the second baseman at the first base in the fifth inning, 0-1 in the 5th inning at the Jamsil Stadium in Seoul, was forced out and complained of pain only to the side after being forced out. .Doosan coach Kim Tae-hyung subtracted Su-Bin Su and put in 먹튀폴리스
the team when defending at the end of the 5th inning.
Sue-bin said that on the 17th, a close-up examination was found, and damage to my oblique muscle was found. It is an injury that requires a break for more than 10 days.
Cats more serious. 토토사이트
Nice Blog. Thanks for sharing with us. Such amazing information.
Only Blog
Guest Blogger
Guest Blogging Site
Guest Blogging Website
Guest Posting Site
여기 처음 가보는 곳인데 한 번에 다 읽어서 정말 감동이에요.
배치하다토토사이트
I’m still learning from you, while I’m improving myself. I certainly enjoy reading everything that is written on your website.Keep the posts coming. I loved it!
먹튀검증
Your website is a gift for me.It contains all the information I want to know.My website Custom Mailer Boxes works just like yours.You must visit it if you like it.
Such a great blog i like it very much thanks for sharing with us.
custom Eye Shadow packaging
As I am looking at your writing, 먹튀검증사이트 I regret being unable to do outdoor activities due to Corona 19, and I miss my old daily life. If you also miss the daily life of those days, would you please visit my site once? My site is a site where I post about photos and daily life when I was free.
Thanks for writing this awesome 메이저사이트. I'm a long time reader but I've never been compelled to leave a comment. I subscribed to your blog and shared this on my Facebook. Thanks again for a great article!
Your explanation is organized very easy to understand!!! I understood at once. Could you please post about 사설토토 ?? Please!!
I've been looking for photos and articles on this topic over the past few days due to a school assignment, 메이저놀이터순위 and I'm really happy to find a post with the material I was looking for! I bookmark and will come often! Thanks :D
Película Clifford, el gran perro rojo
El paraíso del amor Película Completa
Canción de cuna Película Completa
Cool world Película Completa
Aquaslash Película Completa
Victor Frankenstein Película Completa
Glass Película Completa
Película Rápidos y furiosos 9
Riesgo Bajo Cero Película Completa
Boss Level Película Completa
I really like your article, and I'm impressed High Society película completa Bad Sister película completa Luca película completa Rapido y Furioso 9 película completa Umibe no Etranger película completa Perros Callejeros película completa Closer película completa Demon slayer el tren infinito película completa Cruella película completa El conjuro 3 película completa
Thanks For Sharing such a wonderfull thought I realy appreciate for 바카라사이트
I really happy found knew this website it very informative.
https://www.thekingcasino.top
Adapted to new systems and processes well and seeks out training to enhance knowledge, skills and abilities.
https://www.ophunter.net
Not that I am complaining, but slow loading instances times will sometimes affect your placement in google and could damage your high-quality score if advertising and marketing with Adwords. Well I am adding this RSS to my e-mail and can look out for a lot more of your respective fascinating content.
스포츠마사지
pepita la pistolera pelicula completa
medianoche en paris pelicula completa
black widow pelicula completa
encanto pelicula completa
la viuda negra marvel pelicula completa
viuda negra pelicula completa
black dog pelicula completa
harry potter y la piedra filosofal pelicula completa
date movie pelicula completa
esperando la carroza pelicula completa
reinas o reyes pelicula completa
whiplash pelicula completa
tres veces tu pelicula completa
thelma y louise pelicula completa
mi socio 2 pelicula completa
un jefe en pañales 2 pelicula completa
jefe en pañales pelicula completa
coraline y la puerta secreta pelicula completa
amor de gata pelicula completa
fast and furious 9 pelicula completa
the woman pelicula completa
mujeres al ataque pelicula completa
mi otra yo pelicula completa
buscando a nemo pelicula completa
cruella pelicula completa
el conjuro 3 pelicula completa
luca pelicula completa
rapido y furioso 9 pelicula completa
Charlie y la fabrica de chocolates Película Completa
venom pelicula completa
intocable pelicula completa
below her mouth pelicula completa
need for speed pelicula completa
50 sombras más oscuras pelicula completa
spirit pelicula completa
medianoche en paris pelicula completa
diabolica tentacion pelicula completa
fuera del cielo pelicula completa
barbie y las 12 princesas bailarinas pelicula completa
la calle del terror parte 2 pelicula completa
It's very interesting. And it's fun. This is a timeless article. I also write articles related to , and I run a community related to 메이저놀이터. For more information, please feel free to visit !!
That is a really good tip especially to those fresh to the blogosphere.
Simple but very accurate info... Many thanks for sharing this one.
A must read post! https://www.sportstoto.top
Yeah bookmaking this wasn't a bad determination outstanding post!
My web site; 풀싸롱
Really no matter if someone doesn't be aware of after that its up to other users that they will help, so here it takes place 토토사이트추천.
Workplaces rarely thrive when employees can only work from their desks and WLAN Deployment has been a tremendous boon for workplace productivity. WLAN Deployment
I have been looking for articles on these topics for a long time. Kèobóngđá I don't know how grateful you are for posting on this topic. Thank you for the numerous articles on this site, I will subscribe to those links in my bookmarks and visit them often. Have a nice day.
Amazing website, Love it. Great work done. Nice website. Love it. This is really nice.
office setup
Microsoft365.com/setup
Microsoft365.com/setup
ij.start.cannon
www.amazon.com/mytv
office.com/setup
Thanks for sharing a nice article really such a wonderful site
you have done a great job once more thanks a lot토토
This is one very interesting post. I like the way you write and I will bookmark your blog to my favorites. 사설토토사이트
I think this is an informative post and it is very beneficial and knowledgeable. Therefore, I would like to thank you for the endeavors that you have made in writing this article. All the content is absolutely well-researched. Thanks스포츠토토사이트
Positive site, where did u come up with the information on this posting?I have read a few of the articles on your website now, and I really like your style. Thanks a million and please keep up the effective work. 메이저놀이터추천
Hey what a brilliant post I have come across and believe me I have been searching out for this similar kind of post for past a week and hardly came across this. Thank you very much and will look for more postings from you. 먹튀검증 and I am very happy to see your post just in time and it was a great help. Thank you ! Leave your blog address below. Please visit me anytime!
Pretty nice post. I just stumbled upon your weblog and wanted to say that I have really enjoyed browsing your blog posts. After all I’ll be subscribing to your feed and I hope you write again soon 먹튀검증업체 I would like to write an article based on your article. When can I ask for a review?!
How is it that simply anybody can write a website and acquire as widespread as this? Its not like youve said something incredibly spectacular ?
more like youve painted a reasonably picture over a difficulty that you simply recognize nothing concerning I don’t want to sound mean, here.
but do you really suppose that you can escape with adding some pretty pictures and not really say anything?
오피
Excellent read, I just passed this onto a friend who was doing a little research on that. And he actually bought me lunch as I found it for him smile Therefore let me rephrase that: Thank you for lunch. 슬롯머신사이트
I am always searching online for articles that can help me. There is obviously a lot to know about this. I think you made some good points in Features also. Keep working, great job ! 온라인카지노사이트
I have bookmarked your website because this site contains valuable information in it. I am really happy with articles quality and presentation. Thanks a lot for keeping great stuff. I am very much thankful for this site. 카지노사이트링크
You make so many great points here that I read your article a couple of times. Your views are in accordance with my own for the most part. This is great content for your readers. 온라인카지노사이트넷
I’m truly enjoying the design and layout of your website. It’s a very easy on the eyes which makes it much more enjoyable for me to come here and visit more often. 바카라사이트닷컴
The Webroot program is highly rated software to protect your devices & data available for download at webroot.com/safe.
123.hp.com/setup |
ij.start.canon| ij.start.cannon/ts3322
SkyBet is the sports betting division of Betting and Gaming, a wholly-owned subsidiary of British Sky Broadcasting Group plc (Sky). Skybet login .
It has fully emerged to crown Singapore's southern shores and undoubtedly placed her on the global map of residential landmarks. I still scored the more points than I ever have in a season for GS. I think you would be hard pressed to find somebody with the same consistency I have had over the years so I am happy with that. 메이저토토사이트
The vacation trades offered are evaluated a variety of in the chosen and simply good value all around the world. Those hostels are normally based towards households which you’ll find accented via charming shores promoting crystal-clear fishing holes, concurrent of one’s Ocean. Hotels Discounts 메이저놀이터
Concrete damage can be caused by a multitude of things. Resurfacing and refinishing concrete damage can take care of a lot of surface damage and give your concrete surface an instant face lift. Website
Looking at this article, I miss the time when I didn't wear a mask. Hopefully this corona will end soon. My blog is a blog that mainly posts pictures of daily life before Corona and landscapes at that time. If you want to remember that time again, please visit us. ty le keo
The Canon printer that can be downloaded via canon.com/ijsetup page is the best wireless printer that you can connect to your device and print data smoothly. Ij.start canon CD is not the well-suited technique to use ij.start.canon installation for longer. One can canon.com/ijsetup/mg2522 install from another origin if your device is having issues in the online installation or any other.Use ij.start cannon to set up your Canon product.Get started to Canon inkjet setup with guidelines of ij.start.cannonsite.
From some point on, I am preparing to build my site while browsing various sites. It is now somewhat completed. If you are interested, please come to play with keonhacai !
Hey, I simply hopped over in your web page by means of StumbleUpon. Not one thing I might in most cases learn, however I favored your feelings none the less. Thank you for making something price reading. 메이저토토사이트
Howdy! Do you know if they make any plugins to assist with SEO? I’m trying to get my blog to rank for some targeted keywords but I’m not seeing very good results. If you know of any please share. Cheers! 안전토토사이트
Thank you a bunch for sharing this with all of us you actually realize what you are talking about! Bookmarked. Please also seek advice from my site =). We could have a hyperlink change contract between us 먹튀검증사이트
The information you share is great and useful to me and many others. It is closely related to my work and has helped me grow. Here we provide information about. ufa168
spreadsheets are a powerful tool that helped legitimize the personal computer for business use in the early 1980s. They paved the way for the software revolution that has unfolded so explosively since then. Today, spreadsheet software ships with almost every new personal computer today, and most people have at least some experience with this type of software office.com/setup Very helpful and Great information microsoft365.com/setup
Canon Pixma TS3322 is a multi-functional printer, which enables you to perform many actions including, print, copy, and scan, all at once. ij.start.cannon/ts3322 , ij.start.canon/ts3322
Many thanks for the article, I have a lot of spray lining knowledge but always learn something new. Keep up the good work and thank you again. 먹튀사이트
Recently, I have started to read a lot of unique articles on different sites, and I am enjoying that a lot. Although, I must tell you that I still like the articles here a lot. They are also unique in their own way. 먹튀검증업체
Decent data, profitable and phenomenal outline, as offer well done with smart thoughts and ideas, bunches of extraordinary data and motivation, both of which I require, on account of offer such an accommodating data here 토토사이트
Just desire to say your article is as astounding. The clarity in your post is simply great and i can assume you’re an expert on this subject. Well with your permission allow me to grab your RSS feed to keep up to date with forthcoming post. Thanks a million and please carry on the rewarding work. ufabet
I was impressed by your writing. Your writing is impressive. I want to write like you.스포츠토토사이트 I hope you can read my post and let me know what to modify. My writing is in I would like you to visit my blog.
We stumbled over here by a different website and thought I might check things out. I like what I see so now i am following you. Look forward to finding out about your web page again. bongdo
https://www.top-travel.ir/%d8%aa%d8%a7%da%86-%d8%a7%d9%84-%d8%b3%db%8c-%d8%af%db%8c-%d8%a2%db%8c%d9%81%d9%88%d9%86/It is also worth mentioning that repairs and replacement of these parts are also done in this collection. IPhone 7 Plus LCD touch repair
Go to office setup for office.com/setup. Sign In or Create a new Microsoft Account. Or go to
www.office.com/setup to download
Officecom which is best for online work.
Use garmin.com/express to update maps and software, sync with Garmin Connect™ and register your device. This desktop software notifies you when updates. Best
pest control near me but we are professional in this field
Xiaomi Redmi Note 9T brings three rear cameras from its previous generation (48-megapixel f / 1.8 main sensor, 2-megapixel macro f / 2.4 and 2-megapixel f / 2.4) but lost the ultra-wide lens that the phone had . You will not take great quality photos with the Note 9T, but it can meet your needs for everyday use.https://www.8deynews.com/567077/
Just how can you have such abilities? I can not evaluate your abilities yet, yet your writing is outstanding. I thought of my instructions once again. I desire a professional like you to review my writing and also court my writing since I'm truly interested regarding my abilities. 바카라사이트
Wow, you did such an amazing job with such a small space. It looks outstanding! Bathroom Remodel Kansas City
Great article. Couldn’t be write much better! Keep it up!
books and periodicals reimbursement
medical allowance exemption
80g of income tax act
transport allowance exemption
very interesting , good job and thanks for sharing such a good blog.Most Expensive Player in IPL
Yes, this is a good post without any doubts. You really do a great job. I inspired by you. So keep it up!! http://www.losangelespainterservices.com/
I’m not sure exactly why but this weblog is loading incredibly slow for me. Is anyone else having this problem or is it a problem on my end? I’ll check back later on and see if the problem still exists. bong88
We provide online tech support services for repairs canon printer service online. As a result, we satisfied thousand of people. We offer quality and best service anywhere in the world online. So you can visit our website for more info - canon.comijsetup
Terrific article! That is the type of information that
are meant to be shared around the net. Shame on the seek engines for
no longer positioning this post higher! Come on over and
discuss with my web site . Thank you =)Click Here 오피월드
2YOUNGYANG
Canon printers are high-tech printers that allow you to print wirelessly from your Android, iPad, Mac, or Windows computer, among other devices. However, in order to enable its printing functions, you must first perform "Canon Printer Wireless Setup." The process is simple and quick, but before you begin configuring your canon printer setup ,review the following points.
I really like your article, your article is really very interesting
undefined
undefined
undefined
undefined
undefined
undefined
undefined
undefined
undefined
undefined
undefined
undefined
Excellent Blog! I would like to thank you for the efforts you have made in writing this post.
카지노사이트
I will recommend your website to everyone. You have a very good gloss. Write more high-quality articles. I support you.
토토
I really like your article, your article is really very interesting
los locos addams
venom
after 3
venom 2
venom repelis
This is a very educative and helpful blog post, I really learnt a lot going through it, and I must commend you for this great piece which I consider very useful to me and other readers, please keep it up. 룰렛
I was pretty pleased to uncover this site. I need to to thank you for your time for this particularly wonderful read!! I definitely appreciated every part of it and I have you saved to fav to see new information in your web site.
야한소설
Hello! I just would like to give you a huge thumbs up for your excellent info you have here on this post. I will be returning to your site for more soon.마사지
Great article 건전마사지. Keep writing such kind of information on your page. I'm really impressed by your blog.
This blog was extremely extraordinary, never observed an incredible blog like this previously. I think I am going to share this to my companions. 토토
토토사이트 Like!! Really appreciate you sharing this blog post.Really thank you! Keep writing.
스포츠토토 Hello Dear, are you in fact visiting this web page regularly, if so then you will without doubt take nice experience.
온라인카지노 I love your blog.. very nice colors & theme. Keep working ,splendid job!
카지노사이트 I am happy that you simply shared this useful information with us. Please stay us up to date like this. Thanks for sharing.
Interestingly you write, I will address you'll find exciting and interesting things on similar topics.
청마담
magosucowep
i
really
like
this
and
i
have
saved
in
browser
wow amzing article ,help follow my article
los locos addams 2
la vida de adele
as the gods will
shang chi
top gun 2
Hello friends, its impressive article regarding educationand entirely defined, keep it up all the time. 토토사이트
Fantastic job. I really enjoyed
what you had to say, and more than that, how you presented it.
Too cool! 카지노
Useful info. Lucky me I found your web site by accident,
and I am shocked why this coincidence didn’t happened earlier!
I bookmarked it. 토토사이트
카지노사이트 I just found this blog and have high hopes for it to continue. Keep up the great work, its hard to find good ones. I have added to my favorites. Thank You.
온라인카지노 Thanks for such a great post and the review, I am totally impressed! Keep stuff like this coming.
venom carnage chile
This site seems to inspire me a lot. Thank you so much for organizing and providing this quality information in an easy to understand way. I think that a healthy era of big data can be maintained only when such high-quality information is continuously produced. And I, too, are working hard to organize and provide such high-quality information. It would be nice to come in once and get information.
Also visit my site:안전놀이터
Ver Cato Película
Ver Carriers Película
Ver Portadores Película
Ver Un gato callejero llamado Bob Película
Ver El Gringo Película completa
Thanks for sharing! I definitely enjoying every little bit of it I have you bookmarked to check out new stuff you post. concrete companies
Allan Quatermain Et La Pierre Des Ancêtres
The Nine Lives of Chloe King
You Saison 3
Squid Game
OSS 117
Venom 1
Old
Tamara 2
All purchases made with the app are nonrefundable, and there are no refunds for partially used services.
Reach out to Match's customer service . Inform them that you have canceled your subscription and want to request a refund. Since Match has over 9.9 million paid users, don't be surprised if you are stuck on hold for a long time
cancel tinder subscription -
cancel match subscription -
tinder com refund
match refund
After love Stream
Squid Game (2021) Stream
Venom 2 (2021) Stream
We stumbled over here by a different website and thought I might check things out. I like what I see so now i am following you. Look forward to finding out about your web page again. soi keo
I’m not sure exactly why but this weblog is loading incredibly slow for me. Is anyone else having this problem or is it a problem on my end? I’ll check back later on and see if the problem still exists. 안전놀이터순위
ดูหนัง The Beguiled เล่ห์ลวง พิศวาส ปรารถนา ดูหนังออนไลน์ฟรี บรรยายซับไทย HD เต็ม เรื่อง (2017)
ดูหนัง Venom 2 เว น่ อม 2 ดูหนังออนไลน์ฟรี บรรยายซับไทย HD เต็ม เรื่อง (2021)
ดูหนัง Sub khu ku lok สูบคู่กู้โลก ดูหนังออนไลน์ฟรี บรรยายซับไทย HD เต็ม เรื่อง (2012)
ดูหนัง My Name ชื่อของฉัน ดูหนังออนไลน์ฟรี บรรยายซับไทย HD เต็ม เรื่อง (2021)
ดูหนัง Fast and Furious 9 ฟา ส 9 ดูหนังออนไลน์ฟรี บรรยายซับไทย HD เต็ม เรื่อง (2021)
HP OfficeJet Pro 8600 is a multi-functional printer that is best for use in offices or homes. It comes with some great features like automatic document feeder and instant ink plan. So, simply you do not ever have to worry about empty ink cartridges. other than this, the automatic document feeder will detect, scan and copy different documents on its own.
office setup product key is a secured
25 digit alphanumeric code series xxxxx-xxxxx-xxxxx-xxxxx-xxxxx.
This activation key can be used summarily to install and activate
the product with ease. One can effortlessly access more information
about these product keys at office products today.
Regards
microsoft365.com/setup
microsoft365.com/setup/family
microsoft365.com/setup/personal
microsoft365.com/setup/business
office.com/setup home & student 2019
office.com/setup for home & student 2019
Canon printer setup with an online solution. Canon printer is known as a good name in the online market so you have to know about the canon printers. They provide better service to their customer and give the best product. If you want to know more information then visit with - canon.cpm/ijsetup
It’s designed to fulfill small enterprise and large business requirements.Go to Microsoft365.com/setup, Microsoft 365 Setup website MS 365 for Business offers four plans including Basic, Standard, Premium, and Apps for Business.
microsoft365.com/setup |
microsoft365.cpm/setup |
microsoft365.com/setup
You have a real ability for writing unique content. I like how you think and the way you represent your views in this article. www.kcityconcretecontractors.com/
My programmer is trying to convince me to move to .net from keonhacai. I have always disliked the idea because of the expenses. But he's tryiong none the less.
Great information. I will check out the rest of your blog.
Synogut Reviews
Yoga Burn Reviews
Signal Relief Patch Reviews
BioFit Reviews
What a post I've been looking for! I'm very happy to finally read this post. 안전놀이터 Thank you very much. Can I refer to your post on my website? Your post touched me a lot and helped me a lot. If you have any questions, please visit my site and read what kind of posts I am posting. I am sure it will be interesting.
It's always coming. This blog is great Thanks on your marveous posting! Greetings! 토토추천
I can't believe there's a post like this 메이저사이트 but I believe it will help a lot in my country
We are linking to this great post on our website It's cool every day 먹튀폴리스
the information provided! Maintain the good performance of your site. You can also check my article junk, which we undergo incredibly frequently. 토토사이트검증
I have noticed this weblog. Lastly something not some of them hope you will give more information on this topics in your next articles 안전한놀이터
when I feel so down but I will feel better right after checking your blog its very informative and your blog is really good and impressive you made it mice 메이저검증업체
It's very interesting. And it's fun. This is a timeless article. I also write articles related to , and I run a community related to 메이저놀이터. For more information, please feel free to visit !!
Excellent information on your blog, thank you for taking the time to share with us. Amazing insight you have on this, It's nice to find a website that details so much information about different artists.
온라인카지노
part of my day because you never know how much you make my day happier and more complete.
There are even times when I feel so down but I will feel better right after checking your blogs 사설토토사이트
Hey I’m reading this on my iPhone and it looks a ton different than on my computer have you noticed this or is it just my phone ? 안전공원추천
I like your blog. i ma happy to read your 토토검증업체 its very informative and your blog is really good and impressive you made it mice article.
e you saved as a favorite to see new information on your blog. NBA중계
I’d need to examine with you here. Which is not something I often do! I enjoy studying a publish that can make people think. Also, thanks for permitting me to remark!
สล็อตออนไลน์
สมัครสล็อต
เติมเงินสล็อต
Thank you for such a well written article. It’s full of insightful information and entertaining descriptions. Your point of view is the best among many.
ดาวน์โหลดสล็อต
โปรโมชั่นสล็อต
I consider something genuinely interesting about your website so I bookmarked
slotxo
918kiss
My cousin and I had been debating this topic, he is generally looking to show me wrong. Your view on this is fantastic and exactly how I really think. I just sent him this web site to demonstrate him your point of view
joker123
pg slot
goldenslot
I am curious to find out what blog system you have been working with? I’m experiencing some small security problems with my latest blog and I’d like to find something more safe. Do you have any suggestions?
สล็อตออนไลน์ มือถือ
สล็อตออนไลน์ fifa55
สล็อตออนไลน์ ได้เงินจริง
wow, its a incredible information. thanks for sharing. i think this article would be nice if you put some image to help describing the topic. Feel free to visit my website; 한국야동닷컴
Yes i am totally agreed with this article and i just want say that this article is very nice and very informative article.I will make sure to be reading your blog more. You made a good point Thanks Feel free to visit my website;
야동
Having read this I believed it was extremely informative. I appreciate you finding the time and effort to put this article together. I once again find myself personally spending a significant amount of time both reading and posting comments. But so what, it was still worth it! Feel free to visit my website;
야설
El lobo y el león
Santos criminales
Alerta roja
Tres
Las fantasías
La ruleta de la fortuna y la fantasía
Venom 2
Halloween Kills
Ron da error
La familia Addams 2
Please continue this great work and I look forward to more of your awesome blog posts. https://www.pioneerhealthcenter.com/
A new purchased (or older) Canon printer needs to be set up.https://ij.start.cannon | https //ij.start.cannon | http://ij.start.cannon
PIXMA MG2522 all-in-one printer is the best choice for all home printing needs and small businesses as well. First, visit canon.com/ijsetup mg2522 | canon.com/ijsetup/mg2522
I am very happy to read this post! The content has been very helpful to me. Thank you. Actually, I run a site similar to yours. If you have time, would you mind visiting my site? 우리카지노 After reading what I wrote, please leave a comment. If you do, we will consider it. It will be of great help to the operation of the site. Have a nice day.
This site seems to inspire me a lot. Thank you so much for organizing and providing this quality information in an easy to understand way. I think that a healthy era of big data can be maintained only when such high-quality information is continuously produced. And I, too, are working hard to organize and provide such high-quality information. It would be nice to come in once and get information.
Also visit my site:경마
Eternals pelicula completa
Venom 2 pelicula completa
Shang-Chi pelicula completa
After 3 pelicula completa
Coco pelicula completa
Really satisfied with all the information I have found in this article. It gives immense knowledge on physical education, it is very helpful and quite generous to spread a good message. Feel free to visit my website; 야설
v
Hi! I just would like to give you a huge thumbs up for the great info you have got right here on this post. I'll be coming back to your site for more soon. Feel free to visit my website;
일본야동 v
Such a valuable post. I like it very much and I like your choice words also. I am waiting for your next valuable post. Feel free to visit my website;
국산야동
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. Feel free to visit my website; 일본야동
While looking for articles on these topics, I came across this article on the site here. As I read your article, I felt like an expert in this field. I have several articles on these topics posted on my site. Could you please visit my homepage? 메이저놀이터순위
Many thanks for the article, I have a lot of spray lining knowledge but always learn something new. Keep up the good work and thank you again. 안전놀이터
Experts believe that buying Kisho digital currency can be a profitable investment option. They predict that KISHU https://www.shomanews.com/%D8%A8%D8%AE%D8%B4-%D8%AC%D8%AF%DB%8C%D8%AF%D8%AA%D8%B1%DB%8C%D9%86-%D9%82%DB%8C%D9%85%D8%AA-%D8%AF%D9%84%D8%A7%D8%B1-%D9%82%DB%8C%D9%85%D8%AA-%D8%B7%D9%84%D8%A7-%D9%82%DB%8C%D9%85%D8%AA-%D8%B3%DA%A9%D9%87-30/998263-%DA%86%DA%AF%D9%88%D9%86%DA%AF%DB%8C-%D8%AE%D8%B1%DB%8C%D8%AF-%D8%A7%D8%B1%D8%B2-%D8%AF%DB%8C%D8%AC%DB%8C%D8%AA%D8%A7%D9%84-%DA%A9%DB%8C%D8%B4%D9%88-%D8%A7%D8%B2-%D8%B5%D8%B1%D8%A7%D9%81%DB%8C-%D9%86%DB%8C%D9%84 crypto could increase further. Especially with the increase that other meme-based tokens are currently seeing.
I am confident they will be benefited from this web site. Feel free to visit my website;
야설
I am very impressed with your writing안전놀이터추천 I couldn't think of this, but it's amazing! I wrote several posts similar to this one, but please come and see!
I finally found what I was looking for! I'm so happy. 메이저사이트
Visit www.hp.com/go/wirelessprinting and open the door to the world of HP smart printing solutions. HP wireless printer is a versatile printing device that helps you print, scan, copy and fax your documents as per the requirement.
Visit ij.start.canon | ij.start canon and find out the best way to download Canon printer drivers. Canon printers are ideal for every situation wherever you need a document, paper, or photo print or even if you wish to scan, fax, and do more ijstart.canon will make you learn how to set up a canon printer to get advanced printing features.
Canon Pixma MG 2522 is an all-in-one inkjet printer equipped with multifunctional features like printer, scanner, and copier.
Canon.com/ijsetup/mg2522 |
Canon.com/ijsetup mg2522
I saw your article well. You seem to enjoy 바카라사이트 for some reason. We can help you enjoy more fun. Welcome anytime :-)
Family game board: Board games that are suitable for the family and its usual number. Like the game board
https://azadarmaki.ir/blog/8-reportage/41-%D8%A8%D8%B1%D8%AF%DA%AF%DB%8C%D9%85.html
This is a fabulous post I seen by virtue of offer it. It is genuinely what I expected to see look for in future you will continue subsequent to sharing such an extraordinary post. ufabet
Thanks for sharing! I definitely enjoying every little bit of it I have you bookmarked to check out new stuff you post. pool deck footings
It’s the best time to make a few plans for the long run and it is time to be happy.
I have read this submit and if I could I desire to counsel you
few interesting issues or advice. Maybe you could write subsequent articles relating to this article.
I wish to learn more things about it! 경마사이트
Appreciating the hard work you put into your site and detailed information you present. Wonderful read! 스포츠토토
Thanks for this post!! it was great reading this article!! i would like to know more!! keep in touch and stay connected!! Cheers! 한국야동
Also feel free to visit may web page check this link 야설
Many thanks for the article, I have a lot of spray lining knowledge but always learn something new. Keep up the good work and thank you again. 온라인바카라
This is a great inspiring article.I am pretty much pleased with your good work.You put really very helpful information. concrete driveway tacoma wa
Youre so cool! I dont suppose 야설 Ive read something such as this before. So nice to find somebody with authentic applying for grants this subject.
I blog often and 일본야동I truly appreciate your content.This great article has truly peaked my interest.I’m going to bookmark your site and keep checking for new details about once per week. I subscribed to your Feed too.
Hi there! This article could not be written much better! Reading through this article reminds me of my previous roommate! 국산야동 bHe continually kept preaching about this. I’ll forward this information to him.
국산야동
Thanks for sharing excellent informations. Your web site is very cool. I am impressed by the details that you’ve on this site.
일본야동
I am incapable of reading articles online very often, but I’m happy I did today. It is very well written, and your points are well-expressed. I request you warmly, please, don’t ever stop writing.
한국야동
Hey there! I could have sworn I’ve been to this website before but after reading through some of the post I realized it’s new to me. Nonetheless, I’m definitely happy I found it and I’ll be book-marking and checking back frequently 안전놀이터추천
"I was impressed by your writing. Your writing is impressive. I want to write like you.우리카지노 I hope you can read my post and let me know what to modify. My writing is in I would like you to visit my blog.
It is very well written, and your points are well-expressed. I request you warmly, please, don’t ever stop writing. 블랙잭사이트
Nice post. I learn something totally new and challenging on websites 야한동영상
Also feel free to visit may webpage check this link
야설
Excellent blog right here! Additionally your website a lot up very fast! What web host are you the usage of? Can I am getting your affiliate hyperlink on your host? I want my website loaded up as quickly as yours lol 무료야설
Have you ever considered about adding a little bit more than just your articles? 오피헌터
"I mean, what you say is fundamental and all.
However think about if you added some great images
or video clips to give your posts more, pop! Your content is excellent but with pics and videos, this website could certainly be one of the best in its field. Awesome blog!"
타이마사지
The clearness on your post is simply spectacular and that i could assume you are a professional on this subject 룰렛
This is my first time visit here. From the tons of comments on your articles,I guess I am not only one having all the enjoyment right here! concrete contractors detroit, mi
Wonderful illustrated information. I thank you about that. No doubt it will be very useful for my future projects. Would like to see some other posts on the same subject! Feel free to visit my website; 일본야동
I like what you guys are up also. Such smart work and reporting! Carry on the superb works guys I have incorporated you guys to my blogroll. Feel free to visit my website; 국산야동
Post a Comment