473,657 Members | 2,484 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

Heap overflow/corruption problem in an arbitrary precision class

Hi, I need some help!

I'm writing an infinite-precision floating point library called
ipfloat (I know infinite is a misnomer - but arbitrary was taken). A
quick overview: I'm storing numbers as a char* mantissa, an int
exponent and a sign. For example, the number "123.45" would have a
mantissa of 12345, an exponent of 2, and a sign of +. I'm essentially
storing it as "1.2345x10^ 2".

The mantissa is allocated dynamically at runtime to allow arbitrary
precision in my numbers. I'm having trouble with heap overflows; let
me explain in more detail:

I'm trying to write a += or + operator overload. Originally I wrote a
+= function that simply expanded the mantissa of the left operand to
hold the entire result, and then return itself. This causes a heap
overflow, for example, with the following numbers:
0.0000000000000 000001 + 13123123123.123 123123

Here, the mantissa of the left operand is "1" but the right is
"13123123123123 123123". When the memory is allocated, the left
mantissa is allocated, then the right one is allocated, so their
addresses are very close - the left operand has a tiny mantissa. When
I expand that mantissa to hold the entire result, this obviously
overflows into the right operand's mantissa, and I either get really
funky answers or a heap overflow and a segfault.

The solution, I thought, was to write a + operator overload instead.
Then, I'd have a left and right operand, but I wouldn't touch them at
all - instead I'd create a local "ipfloat result" and then store the
answer in result, and return result. This works!

ipfloat a, b;
a+b; //no errors!

But...when used in a real situation:
ipfloat a(1232.12312);
ipfloat b(123123.231231 );
ipfloat c;
c = a+b;

There are, once again, heap overflows causing corruption. Here, the
ipfloat result that I'm returning from the addition is trying to be
stored in c, but c was allocated _before_ the operation took place and
so before result was created. Then the assignment operator tries to
expand c (which has a size of 2 - "0\0") to hold the whole answer, and
overwrites data in result, so again I have corruption, or overflow (or
both).

The only solution I can think of is to use memmove() in my assignment
operator. Is that viable? I'd really appreciate any help with how to
restructure this so that I can make it stable.

Thank you! I'll gladly post code if it will help.
Jun 27 '08 #1
8 2074
Martin the Third wrote:
Hi, I need some help!

I'm writing an infinite-precision floating point library called
ipfloat (I know infinite is a misnomer - but arbitrary was taken). A
quick overview: I'm storing numbers as a char* mantissa, an int
exponent and a sign. For example, the number "123.45" would have a
mantissa of 12345, an exponent of 2, and a sign of +. I'm essentially
storing it as "1.2345x10^ 2".

The mantissa is allocated dynamically at runtime to allow arbitrary
precision in my numbers. I'm having trouble with heap overflows; let
me explain in more detail:
[snip]
Thank you! I'll gladly post code if it will help.
Since my crystal ball is in repair, code would be highly appreciated.

Short of that, consider using std::vector< char instead of char*. Very
likely, your problems stem from mistakes in pointer handling (allocation,
deallocation, _and_ reallocation).
Best

Kai-Uwe Bux
Jun 27 '08 #2
On Jun 12, 6:11 pm, Kai-Uwe Bux <jkherci...@gmx .netwrote:
Martin the Third wrote:
Hi, I need some help!
I'm writing an infinite-precision floating point library called
ipfloat (I know infinite is a misnomer - but arbitrary was taken). A
quick overview: I'm storing numbers as a char* mantissa, an int
exponent and a sign. For example, the number "123.45" would have a
mantissa of 12345, an exponent of 2, and a sign of +. I'm essentially
storing it as "1.2345x10^ 2".
The mantissa is allocated dynamically at runtime to allow arbitrary
precision in my numbers. I'm having trouble with heap overflows; let
me explain in more detail:
[snip]
Thank you! I'll gladly post code if it will help.

Since my crystal ball is in repair, code would be highly appreciated.

Short of that, consider using std::vector< char instead of char*. Very
likely, your problems stem from mistakes in pointer handling (allocation,
deallocation, _and_ reallocation).

Best

Kai-Uwe Bux
Here are the relevant functions. Keep in mind that I stopped my +
function halfway through, so it doesn't actually add yet. (I have
older versions that do...)

ipfloat::ipfloa t(char* ch)
{
int len = strlen(ch);
int i = 0, j = 0; //i keeps place in ch, j keeps
place in man
sign = (ch[0]=='-')?'-':'+'; //assign the sign
int startZeros = 0, trailZeros = 0, manLen, decPos, decOffset;
while(ch[i]!='\0' && ch[i]!='.') //loop until we find the decimal,
whether explicitly typed or not
i++;
decPos = i;
i=0;
while(ch[i]=='0' || ch[i]=='.') //count number of 0's at the
beginning of the number
{
startZeros++; //this now contains 1 more than sz
if theres a dec
i++;
}
i=0;
while(ch[len-1-i]=='0') //count the number of trailing 0's
{
trailZeros++;
i++;
}
manLen = len - startZeros - trailZeros - 1;
man = (char*)malloc(s izeof(char)*(ma nLen+1));
for(i=startZero s; i<(startZeros+m anLen+1); i++, j++) //copy
correct data from ch to man
{
if(ch[i]!='.')
man[j] = ch[i];
else
j--;
}
man[j] = '\0';
decOffset = (startZeros>=de cPos)?0:1; //combine this with
statement below? remove variable?
exp = decPos - startZeros - decOffset;
}
ipfloat::ipfloa t(const ipfloat &rhs){
if(this!=&rhs)
{
setMan(rhs.getM an());
setExp(rhs.getE xp());
setSign(rhs.get Sign());
}
}
ipfloat::ipfloa t(int size, char sgn)
{
man = (char*)malloc(s izeof(char)*siz e);
sign = sgn;
}
ipfloat::~ipflo at(){
free(man);
}
inline const char* const ipfloat::getMan () const{return man;}
inline const int ipfloat::getExp () const{return exp;}
inline const char ipfloat::getSig n() const{return sign;}
inline void ipfloat::setMan Size(int size)
{
free(man);
man = (char*)malloc(s izeof(char)*(si ze));
}
inline void ipfloat::setMan Char(int pos, char ch)
{
man[pos] = ch;
}
inline void ipfloat::setMan (const char* const ch){
free(man);
man = (char*)malloc(s izeof(char)*(st rlen(ch)+1));
strcpy(man, ch);
}
inline void ipfloat::setExp (int e){
exp = e;
}
inline void ipfloat::setSig n(char ch){
sign = ch;
}
ipfloat &ipfloat::opera tor =(const ipfloat &rhs){
if(this!=&rhs)
{
setMan(rhs.getM an());
setExp(rhs.getE xp());
setSign(rhs.get Sign());
}
return *this;
}
ipfloat ipfloat::operat or +(const ipfloat &rhs)
{
int ctr, c, d;
int thisBefore, thisAfter, rhsBefore, rhsAfter, resLen;
thisBefore = (getExp()>=0) ? getExp() + 1 : 1;
thisAfter = (strlen(getMan( ))<=getExp()) ? abs((int)
(strlen(getMan( )) + getExp() - thisBefore)) : strlen(getMan() ) -
getExp() - 1;
rhsBefore = (rhs.getExp()>= 0) ? rhs.getExp() + 1 : 1;
rhsAfter = (strlen(rhs.get Man())<=rhs.get Exp()) ? abs((int)
(strlen(rhs.get Man()) + rhs.getExp() - thisBefore)) :
strlen(rhs.getM an()) - rhs.getExp() - 1;
resLen = ((thisBefore>=r hsBefore)?thisB efore:rhsBefore )+
((thisAfter>=rh sAfter)?thisAft er:rhsAfter);
ipfloat result(resLen + 1, rhs.getSign());
result.setManCh ar(resLen, '\0');
for(int i=0; i<resLen; i++)
result.setManCh ar(i,'0');
cout<<result.ge tMan()<<endl;
if(thisBefore>r hsBefore)
{
for(ctr = 0; ctr<(thisBefore-rhsBefore); ctr++)
result.setManCh ar(ctr, getMan()[ctr]);
}
if(rhsBefore>th isBefore)
{
for(ctr = 0; ctr<(rhsBefore-thisBefore); ctr++)
result.setManCh ar(ctr, rhs.getMan()[ctr]);
}
if(thisAfter>rh sAfter)
{
c=((thisBefore> =rhsBefore)?thi sBefore:rhsBefo re) + rhsAfter; //
tracks result
d=strlen(getMan ())-(thisAfter-
rhsAfter); //tracks this
while(getMan()[d]!='\0')
{
result.setManCh ar(c, getMan()[d]);
c++;
d++;
}
}
if(rhsAfter>thi sAfter)
{
c=((rhsBefore>= thisBefore)?rhs Before:thisBefo re) +
thisAfter; //tracks result
d=strlen(rhs.ge tMan())-(rhsAfter-
thisAfter); //tracks this
while(rhs.getMa n()[d]!='\0')
{
result.setManCh ar(c, rhs.getMan()[d]);
c++;
d++;
}
}
cout<<result.ge tMan()<<endl;
return result;
}

Left out some extra constructors, an itoa() for linux compatibility,
and a function for output.

I should also note that although c = a + b doesn't work, ifploat c = a
+ b; does. If I initialize it to the other value, it seems to work.

I'd rather implement it without vectors, for performance reasons. I'll
be iterating this structure hundreds of thousands of times, and I need
the fastest I can get.
Jun 27 '08 #3
Martin the Third wrote:
On Jun 12, 6:11 pm, Kai-Uwe Bux <jkherci...@gmx .netwrote:
>Martin the Third wrote:
Hi, I need some help!
I'm writing an infinite-precision floating point library called
ipfloat (I know infinite is a misnomer - but arbitrary was taken). A
quick overview: I'm storing numbers as a char* mantissa, an int
exponent and a sign. For example, the number "123.45" would have a
mantissa of 12345, an exponent of 2, and a sign of +. I'm essentially
storing it as "1.2345x10^ 2".
The mantissa is allocated dynamically at runtime to allow arbitrary
precision in my numbers. I'm having trouble with heap overflows; let
me explain in more detail:
[snip]
Thank you! I'll gladly post code if it will help.

Since my crystal ball is in repair, code would be highly appreciated.

Short of that, consider using std::vector< char instead of char*. Very
likely, your problems stem from mistakes in pointer handling (allocation,
deallocation , _and_ reallocation).
[snip]
I'd rather implement it without vectors, for performance reasons. I'll
be iterating this structure hundreds of thousands of times, and I need
the fastest I can get.
Before I dive into your code, let me point out that char* will very likely
be less efficient that vector<charin your particular implementation. At
various places you use strlen to get the length of the mantissa. That reads
through the whole thing just to get the length. A vector will have that
number stored and return it in constant time. The notions that char* is
faster, is more often than not an illusion

Also, if performance matters, you should go with one of the available
libraries. You will have a very hard time to come even within ballpark
proximity of their performance.
Best

Kai-Uwe Bux
Jun 27 '08 #4
On Jun 12, 9:26*pm, Kai-Uwe Bux <jkherci...@gmx .netwrote:
Martin the Third wrote:
On Jun 12, 6:11 pm, Kai-Uwe Bux <jkherci...@gmx .netwrote:
Martin the Third wrote:
Hi, I need some help!
I'm writing an infinite-precision floating point library called
ipfloat (I know infinite is a misnomer - but arbitrary was taken). A
quick overview: I'm storing numbers as a char* mantissa, an int
exponent and a sign. For example, the number "123.45" would have a
mantissa of 12345, an exponent of 2, and a sign of +. I'm essentially
storing it as "1.2345x10^ 2".
The mantissa is allocated dynamically at runtime to allow arbitrary
precision in my numbers. I'm having trouble with heap overflows; let
me explain in more detail:
[snip]
Thank you! I'll gladly post code if it will help.
Since my crystal ball is in repair, code would be highly appreciated.
Short of that, consider using std::vector< char instead of char*. Very
likely, your problems stem from mistakes in pointer handling (allocation,
deallocation, _and_ reallocation).
[snip]
I'd rather implement it without vectors, for performance reasons. I'll
be iterating this structure hundreds of thousands of times, and I need
the fastest I can get.

Before I dive into your code, let me point out that char* will very likely
be less efficient that vector<charin your particular implementation. At
various places you use strlen to get the length of the mantissa. That reads
through the whole thing just to get the length. A vector will have that
number stored and return it in constant time. The notions that char* is
faster, is more often than not an illusion

Also, if performance matters, you should go with one of the available
libraries. You will have a very hard time to come even within ballpark
proximity of their performance.

Best

Kai-Uwe Bux

I can cut the number of calls to strlen() down, by just doing it once
and storing that value, or by calculating it from other values already
determined. I'll look in to vectors for this, but it seems that the
overhead would do more harm than good. (And I say this not really
knowing what the overhead will be).

Performance matters, but so does learning how to do this. This is as
much about expanding my skills with c++ as it is about creating a
functional piece of code. In general, is there a better way to do
this? I was thinking that an int array might prove more useful, then I
could pack more numbers in each array element.

And in the end when I finish this, if it turns out to just be too
slow, I'm sure I'll use apfloat or gmp or something else. But I would
really like to make this work, first.
Jun 27 '08 #5
Martin the Third wrote:
On Jun 12, 6:11 pm, Kai-Uwe Bux <jkherci...@gmx .netwrote:
>Martin the Third wrote:
Hi, I need some help!
I'm writing an infinite-precision floating point library called
ipfloat (I know infinite is a misnomer - but arbitrary was taken). A
quick overview: I'm storing numbers as a char* mantissa, an int
exponent and a sign. For example, the number "123.45" would have a
mantissa of 12345, an exponent of 2, and a sign of +. I'm essentially
storing it as "1.2345x10^ 2".
The mantissa is allocated dynamically at runtime to allow arbitrary
precision in my numbers. I'm having trouble with heap overflows; let
me explain in more detail:
[snip]
Thank you! I'll gladly post code if it will help.

Since my crystal ball is in repair, code would be highly appreciated.

Short of that, consider using std::vector< char instead of char*. Very
likely, your problems stem from mistakes in pointer handling (allocation,
deallocation , _and_ reallocation).

Best

Kai-Uwe Bux

Here are the relevant functions. Keep in mind that I stopped my +
function halfway through, so it doesn't actually add yet. (I have
older versions that do...)
Ok. Here are some comments on the code. Since you did not post a complete
example, I test whether they address the problem you are experiencing.

ipfloat::ipfloa t(char* ch)
{
int len = strlen(ch);
int i = 0, j = 0; //i keeps place in ch, j keeps
place in man
sign = (ch[0]=='-')?'-':'+'; //assign the sign
int startZeros = 0, trailZeros = 0, manLen, decPos, decOffset;
while(ch[i]!='\0' && ch[i]!='.') //loop until we find the decimal,
whether explicitly typed or not
i++;
decPos = i;
i=0;
while(ch[i]=='0' || ch[i]=='.') //count number of 0's at the
beginning of the number
{
startZeros++; //this now contains 1 more than sz
if theres a dec
i++;
}
i=0;
while(ch[len-1-i]=='0') //count the number of trailing 0's
{
trailZeros++;
i++;
}
manLen = len - startZeros - trailZeros - 1;
man = (char*)malloc(s izeof(char)*(ma nLen+1));
for(i=startZero s; i<(startZeros+m anLen+1); i++, j++) //copy
correct data from ch to man
{
if(ch[i]!='.')
man[j] = ch[i];
else
j--;
}
man[j] = '\0';
decOffset = (startZeros>=de cPos)?0:1; //combine this with
statement below? remove variable?
exp = decPos - startZeros - decOffset;
}
ipfloat::ipfloa t(const ipfloat &rhs){
if(this!=&rhs)
Within a copy-constructor, this test can never yield true (unless you
explicitly invoke the copy constructor with placement new re-constructing
an element from itself, which might formally be undefined behavior anyway).
{
setMan(rhs.getM an());
It looks as though setMan frees the pointer member man, which is not yet
initialized in this constructor. You might be freeing memory that you don't
own. Try:

man=0;
setMan( rhs.getMan() );

or put "man()" in the initializer list.

You might want to run your program in valgrind to find where you use
un-initialized variables.

setExp(rhs.getE xp());
setSign(rhs.get Sign());
}
}
ipfloat::ipfloa t(int size, char sgn)
{
man = (char*)malloc(s izeof(char)*siz e);
sign = sgn;
}
ipfloat::~ipflo at(){
free(man);
}
inline const char* const ipfloat::getMan () const{return man;}
inline const int ipfloat::getExp () const{return exp;}
inline const char ipfloat::getSig n() const{return sign;}
inline void ipfloat::setMan Size(int size)
{
free(man);
man = (char*)malloc(s izeof(char)*(si ze));
sizeof(char) is guaranteed to be 1 by the standard.

}
inline void ipfloat::setMan Char(int pos, char ch)
{
man[pos] = ch;
}
inline void ipfloat::setMan (const char* const ch){
free(man);
man = (char*)malloc(s izeof(char)*(st rlen(ch)+1));
strcpy(man, ch);
}
inline void ipfloat::setExp (int e){
exp = e;
}
inline void ipfloat::setSig n(char ch){
sign = ch;
}
ipfloat &ipfloat::opera tor =(const ipfloat &rhs){
if(this!=&rhs)
{
setMan(rhs.getM an());
setExp(rhs.getE xp());
setSign(rhs.get Sign());
}
return *this;
}
ipfloat ipfloat::operat or +(const ipfloat &rhs)
{
int ctr, c, d;
int thisBefore, thisAfter, rhsBefore, rhsAfter, resLen;
thisBefore = (getExp()>=0) ? getExp() + 1 : 1;
thisAfter = (strlen(getMan( ))<=getExp()) ? abs((int)
(strlen(getMan( )) + getExp() - thisBefore)) : strlen(getMan() ) -
getExp() - 1;
rhsBefore = (rhs.getExp()>= 0) ? rhs.getExp() + 1 : 1;
rhsAfter = (strlen(rhs.get Man())<=rhs.get Exp()) ? abs((int)
(strlen(rhs.get Man()) + rhs.getExp() - thisBefore)) :
strlen(rhs.getM an()) - rhs.getExp() - 1;
resLen = ((thisBefore>=r hsBefore)?thisB efore:rhsBefore )+
((thisAfter>=rh sAfter)?thisAft er:rhsAfter);
ipfloat result(resLen + 1, rhs.getSign());
result.setManCh ar(resLen, '\0');
for(int i=0; i<resLen; i++)
result.setManCh ar(i,'0');
cout<<result.ge tMan()<<endl;
if(thisBefore>r hsBefore)
{
for(ctr = 0; ctr<(thisBefore-rhsBefore); ctr++)
result.setManCh ar(ctr, getMan()[ctr]);
}
if(rhsBefore>th isBefore)
{
for(ctr = 0; ctr<(rhsBefore-thisBefore); ctr++)
result.setManCh ar(ctr, rhs.getMan()[ctr]);
}
if(thisAfter>rh sAfter)
{
c=((thisBefore> =rhsBefore)?thi sBefore:rhsBefo re) + rhsAfter; //
tracks result
d=strlen(getMan ())-(thisAfter-
rhsAfter); //tracks this
while(getMan()[d]!='\0')
{
result.setManCh ar(c, getMan()[d]);
c++;
d++;
}
}
if(rhsAfter>thi sAfter)
{
c=((rhsBefore>= thisBefore)?rhs Before:thisBefo re) +
thisAfter; //tracks result
d=strlen(rhs.ge tMan())-(rhsAfter-
thisAfter); //tracks this
while(rhs.getMa n()[d]!='\0')
{
result.setManCh ar(c, rhs.getMan()[d]);
c++;
d++;
}
}
cout<<result.ge tMan()<<endl;
return result;
}
[snip]
Hope this helps

Kai-Uwe Bux

Jun 27 '08 #6
I fixed the immediate problem with heap overflow, but I still
appreciate input and suggestions about the overall design. Thank you!

Jun 27 '08 #7
Ah, I didn't see your reply when I posted last. I solved my problem by
setting man=NULL in the default constructor, so essentially what you
were saying, although I think I do need to go check everywhere I free
and possibly add that elsewhere. Freeing null causes no problems (by
design).

Thanks for pointing out the problem with the copy constructor; I mixed
up my check for self assignment. It should have been in the the
operator= overload.

I know sizeof(char) is supposed to be 1, is that actually enforced on
most systems? If so I'll remove all of my sizeof() calls. Thanks for
your input, it's well appreciated.
Jun 27 '08 #8
Martin the Third wrote:

[snip]
I know sizeof(char) is supposed to be 1, is that actually enforced on
most systems? If so I'll remove all of my sizeof() calls.
[snip]

It is required to be 1 on all conforming implementations . Moreover, I am not
aware of any implementation that is non-conforming in this regard.
Best

Kai-Uwe Bux
Jun 27 '08 #9

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

0
1700
by: Thinkit | last post by:
Are there any packages for arbitrary precision binary floats? Something along the lines of Gnu Multi Precision. I saw quite a few rationals classes, but not this. Just looking to be able to use any mantissa or exponent I want. Of course it would be software based arithmetic.
17
5027
by: Jonas Rundberg | last post by:
Hi I just started with c++ and I'm a little bit confused where stuff go... Assume we have a class: class test { private: int arr; };
3
2503
by: Steffen | last post by:
I'm searching for a heap monitoring tool, 'cause I have a heap crash in my software (c++). It occurs only after some days running my program. The crash happens by allocating string-buffers deep in the mfc. Any ideas where i can find such tool? Steffen
5
3059
by: Mattias Brändström | last post by:
Hello! I am trying to find a minimal class/lib that handles arbitrary precision decimal numbers. I would be happy if this class supported as little as addition, subtraction, multiplication, division and comparisons. For some reason it's quite hard to find such a class on the net. Maybe because it is trivial to implement such a class? The only library I have found so far is MAPM (http://www.tc.umn.edu/~ringx004/mapm-main.html). This...
1
3562
by: Tariq | last post by:
I've a SQL view performing a number of very precise calculations ie. 495/(1.112 - (.00043499*((Col1 + Col2 + Col3))) + ( .00000055 * ((Col1 + Col2 + Col3)) * ((Col1 + Col2 + Col3))) - (.00028826 * Col4))) - 450)/100 Obviously this sometimes causes a precision issues because the float and real datatypes don't hold precise values... My problem is that converting to the numeric or decimal datatype easily produces an error if the...
2
2628
by: Robert Oschler | last post by:
Need help with HEAP CORRUPTION and my MSVC 6 DLL I have a MSVC 6 DLL that I've written. It is used heavily by a Delphi 6 app I've written. For two months everything has been working fine. Then I changed some things in the code recently, and now I'm getting what looks like severe corruption of the heap. I am wondering if it is some strange interaction between the Delphi app and
12
2853
by: Chadwick Boggs | last post by:
I need to perform modulo operations on extremely large numbers. The % operator is giving me number out of range errors and the mod(x, y) function simply seems to return the wrong results. Also, my numerator is in the format of a quoted string, which the mod function can't take. Desparately searching for solutions, Chadwick. ---------------------------(end of broadcast)---------------------------
9
2925
by: Arsalan Ahmad | last post by:
Hi all, I have developed a static library which I am using in one of my application. In my library I have created my own heap and all the objects (class objects) in my application are created in that heap. What I have observed is that in my library at a certain place when I call EnterCriticalSection() to an object allocated at my heap, it is corrupting my heap. I am using Windows XP and visual studio 8.0. Any hint how can I solve this...
2
1885
by: Rob Clewley | last post by:
Dear Pythonistas, How many times have we seen posts recently along the lines of "why is it that 0.1 appears as 0.10000000000000001 in python?" that lead to posters being sent to the definition of the IEEE 754 standard and the decimal.py module? I am teaching an introductory numerical analysis class this fall, and I realized that the best way to teach this stuff is to be able to play with the representations directly, in particular to be...
0
8421
marktang
by: marktang | last post by:
ONU (Optical Network Unit) is one of the key components for providing high-speed Internet services. Its primary function is to act as an endpoint device located at the user's premises. However, people are often confused as to whether an ONU can Work As a Router. In this blog post, we’ll explore What is ONU, What Is Router, ONU & Router’s main usage, and What is the difference between ONU and Router. Let’s take a closer look ! Part I. Meaning of...
0
8325
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can effortlessly switch the default language on Windows 10 without reinstalling. I'll walk you through it. First, let's disable language synchronization. With a Microsoft account, language settings sync across devices. To prevent any complications,...
0
8742
jinu1996
by: jinu1996 | last post by:
In today's digital age, having a compelling online presence is paramount for businesses aiming to thrive in a competitive landscape. At the heart of this digital strategy lies an intricately woven tapestry of website design and digital marketing. It's not merely about having a website; it's about crafting an immersive digital experience that captivates audiences and drives business growth. The Art of Business Website Design Your website is...
1
8518
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows Update option using the Control Panel or Settings app; it automatically checks for updates and installs any it finds, whether you like it or not. For most users, this new feature is actually very convenient. If you want to control the update process,...
1
6177
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 1 May 2024 starting at 18:00 UK time (6PM UTC+1) and finishing by 19:30 (7.30PM). In this session, we are pleased to welcome a new presenter, Adolph Dupré who will be discussing some powerful techniques for using class modules. He will explain when you may want to use classes instead of User Defined Types (UDT). For example, to manage the data in unbound forms. Adolph will...
0
4173
by: TSSRALBI | last post by:
Hello I'm a network technician in training and I need your help. I am currently learning how to create and manage the different types of VPNs and I have a question about LAN-to-LAN VPNs. The last exercise I practiced was to create a LAN-to-LAN VPN between two Pfsense firewalls, by using IPSEC protocols. I succeeded, with both firewalls in the same network. But I'm wondering if it's possible to do the same thing, with 2 Pfsense firewalls...
0
4330
by: adsilva | last post by:
A Windows Forms form does not have the event Unload, like VB6. What one acts like?
1
2743
by: 6302768590 | last post by:
Hai team i want code for transfer the data from one system to another through IP address by using C# our system has to for every 5mins then we have to update the data what the data is updated we have to send another system
2
1734
bsmnconsultancy
by: bsmnconsultancy | last post by:
In today's digital era, a well-designed website is crucial for businesses looking to succeed. Whether you're a small business owner or a large corporation in Toronto, having a strong online presence can significantly impact your brand's success. BSMN Consultancy, a leader in Website Development in Toronto offers valuable insights into creating effective websites that not only look great but also perform exceptionally well. In this comprehensive...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.