473,769 Members | 2,643 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

ExceptionHandle r class & list of error messages ?

Hi everyone... I have a TExceptionHandl er class that is uses in the
code to thow exceptions. Whenever an exception is thrown the
TExceptionHande r constructor takes an error code (int) as an argument.
I was hoping to create a map<int, const char*that would be used in
the showError member function of the TExceptionHandl er class where the
key (int) would be the error code and const char* the message printed
out to the console.

My question is the following. What would be the best way of creating
that map ? Here is why I am asking. I believe when you throw an
exception you actually create a copy of the object TExceptionHandl er.
So if the map is a member variable of the class and that each entry in
the map is intialised with a string (as an error message) it would be a
waste of CPU time & memory (just stupide to create that list eveytime a
TExceptionHandl er object is created).

Is the best way, to make the TExceptionHandl er class a singleton ? The
map could a static member variable and would be intialised only once.
Or should I make the map a global variable (like an array of const
char* or string) and just use that global variable in the showError()
function ?

I am sure there's a good way of doing that ;-)

I looked on the net and the groups' archives but couldn't find anything
related on that precise aspect of exception handling.

thank you, mark

(ps I know i ask a lot to the group at the moment, but i also learn a
lot from you guys ! I hope i'll be able to help other people one
day...)

class TExceptionHandl er
{
public:
TExceptionHandl er( int error ) :
m_code( error ),
m_severity( GIE_ERRORPRINT ),
m_message( "" )
{}

TExceptionHandl er( int error, int severity ) :
m_code( error ),
m_severity( severity ),
m_message( "" )
{}

~TExceptionHand ler() {}
void showError()
{
// print out the error message base of the error code
cout << globalErrorMess ageList[ m_error ] << endl; << is that the
best option ?
}
private:
int m_code;
int m_severity;
const char* m_message;
};

// The class used somewhere in the code
try {
popModel( TAppliState::kM odelA );
} catch ( TExceptionHandl er &e ) {
e.showError();
}

Jul 12 '06 #1
12 2534
oops sorry there's a typo mistake it should be

cout << globalErrorMess ageList[ m_code ] << endl;
// print out the error message base of the error code
cout << globalErrorMess ageList[ m_error ] << endl; << is that the
Jul 12 '06 #2

ma*****@yahoo.c om wrote:
Hi everyone... I have a TExceptionHandl er class that is uses in the
code to thow exceptions. Whenever an exception is thrown the
TExceptionHande r constructor takes an error code (int) as an argument.
I was hoping to create a map<int, const char*that would be used in
the showError member function of the TExceptionHandl er class where the
key (int) would be the error code and const char* the message printed
out to the console.

My question is the following. What would be the best way of creating
that map ? Here is why I am asking. I believe when you throw an
exception you actually create a copy of the object TExceptionHandl er.
So if the map is a member variable of the class and that each entry in
the map is intialised with a string (as an error message) it would be a
waste of CPU time & memory (just stupide to create that list eveytime a
TExceptionHandl er object is created).

Is the best way, to make the TExceptionHandl er class a singleton ? The
map could a static member variable and would be intialised only once.
Or should I make the map a global variable (like an array of const
char* or string) and just use that global variable in the showError()
function ?
Why not just detach the error code and the map? Have separate classes
TExceptionCode and TExceptionHandl er. Have the map and all the logic in
the handler and just throw the TExceptionCode object rather than
Handler.

Jul 12 '06 #3
ma*****@yahoo.c om wrote:
Hi everyone... I have a TExceptionHandl er class that is uses in the
code to thow exceptions. Whenever an exception is thrown the
TExceptionHande r constructor takes an error code (int) as an argument.
I was hoping to create a map<int, const char*that would be used in
the showError member function of the TExceptionHandl er class where the
key (int) would be the error code and const char* the message printed
out to the console.

My question is the following. What would be the best way of creating
that map ? Here is why I am asking. I believe when you throw an
exception you actually create a copy of the object TExceptionHandl er.
So if the map is a member variable of the class and that each entry in
the map is intialised with a string (as an error message) it would be a
waste of CPU time & memory (just stupide to create that list eveytime a
TExceptionHandl er object is created).

Is the best way, to make the TExceptionHandl er class a singleton ? The
map could a static member variable and would be intialised only once.
Or should I make the map a global variable (like an array of const
char* or string) and just use that global variable in the showError()
function ?

I am sure there's a good way of doing that ;-)

I looked on the net and the groups' archives but couldn't find anything
related on that precise aspect of exception handling.
Why not make it a private static member in your class:

class TException
: std::exception
{
public:
enum ErrorCode
{
SOMETHING_HAPPE NED = 1,
SOMETHING_ELSE = 5,
SOMETHING_STRAN GE = 42
};

typedef std::map<ErrorC ode, const char*MsgMap;

// Only one constructor is needed
TException(
const ErrorCode code,
const int severity = GIE_ERRORPRINT )
: m_code( error )
, m_severity( severity )
{}

virtual const char* what() const
{
return msgMap_[ code_ ];
}

int severity() const
{
return severity_;
}

private:
const static MsgMap msgMap_;
const ErrorCode code_;
const int severity_;
};

Then in the .cpp file, use an initializer helper class to initialize
it:

namespace // anonymous
{
class MsgMapInitializ er
{
TException::Msg Map m_;
public:
operator TException::Msg Map() const { return m_; }

MsgMapInitializ er& Add( const int i, const char* s )
{
m_[i] = s;
return *this;
}
};
}

const TException::Msg Map TException::msg Map_ = MsgMapInitializ er()
.Add( TException::SOM ETHING_HAPPENED , "Msg 1" )
.Add( TException::SOM ETHING_ELSE, "Msg 2" )
.Add( TException::SOM ETHING_STRANGE, "Msg 3" );

Then you can use it like this:

try
{
throw TException( TException::SOM ETHING_ELSE, 100 );
}
catch( const std::exception& e )
{
std::cerr << e.what() << std::endl; // Or whatever
}

[snip]
void showError()
{
// print out the error message base of the error code
cout << globalErrorMess ageList[ m_error ] << endl; << is that the
best option ?
}
Typically it is best to inherit from std::exception and override the
virtual function what() to return an error message. Then the user can
do whatever s/he wants with it rather than being forced to use cout
(which is often impractical in GUI and embedded applications).
private:
int m_code;
int m_severity;
const char* m_message;
};
Why store the message locally? Just look it up when its time to use it
(probably only once).

Cheers! --M

Jul 12 '06 #4
Thanks a lot for your help. They are 2 good ideas... and things I
wasn't sure how to implement ;-)

m_message wasn't intended to be the message attached to an error code.
I wanted to use it to have an additional error message to the
predifined one.

For example:

#define GIE_UNIMPLEMENT ED

errorMessages[ GIE_UNIMPLEMENT ED ] = "feature is not implemented";

throw( TExceptionHande r( GIE_UNIMPLEMENT ED, GIE_PRINTERROR, "carrot is
not a fruit !" ) );
....
catch( TExceptionHandl er &e ) {
cout << e.what() << endl; // prints out "feature is not implemented
(carrot is not a fruit)";
}

thanks again.

Jul 12 '06 #5
Hi I tried to "copy" your code (the names are a bit different) and i
get an error when i compile which i don't understand well... could you
help me a bit more please ? thank you...

/////// COMPILE ERROR

test.cpp: In member function `virtual const char* TException::wha t()
const':
test.cpp:28: error: passing `const std::map<const int, const char*,
std::less<const int>, std::allocator< std::pair<const int, const char*>
' as `this' argument of `_Tp& std::map<_Key, _Tp, _Compare, _Alloc>::operat or[](const _Key&) [with _Key = const int, _Tp = const char*, _Compare = std::less<const int>, _Alloc = std::allocator< std::pair<const int, const char*]' discards qualifiers
/////// CODE

#include <iostream>
#include <deque>
#include <map>
#include <exception>

#define PRINTERROR 0
#define ABORTERROR 1

class TException : public std::exception
{
public:
enum errorCode {
TEST1 = 1,
TEST2,
TEST3
};
typedef std::map<const int, const char*MsgMap;
public:
TException( const int code, const int severity = PRINTERROR ) :
m_code( code ),
m_severity( severity )
{}

~TException() throw() {}

virtual const char* what() const throw()
{
return myMsgMap[ m_code ];//"some text";
}
public:
private:
const int m_severity;
const int m_code;
const static MsgMap myMsgMap;
};

namespace
{
class TInitialise
{
public:
TException::Msg Map m_;
public:
operator TException::Msg Map() const { return m_; }
TInitialise() {};
TInitialise &Add() { std::cout << "in add\n"; return *this; }
};
}

const TException::Msg Map TException::myM sgMap = TInitialise()
.Add()
.Add();

int main()
{
return 0;
}

Jul 13 '06 #6
ma*****@yahoo.c om wrote:
Hi I tried to "copy" your code (the names are a bit different) and i
get an error when i compile which i don't understand well... could you
help me a bit more please ? thank you...

/////// COMPILE ERROR

test.cpp: In member function `virtual const char* TException::wha t()
const':
test.cpp:28: error: passing `const std::map<const int, const char*,
std::less<const int>, std::allocator< std::pair<const int, const char*>
>' as `this' argument of `_Tp& std::map<_Key, _Tp, _Compare, _Alloc>::operat or[](const _Key&) [with _Key = const int, _Tp = const char*, _Compare = std::less<const int>, _Alloc = std::allocator< std::pair<const int, const char*]' discards qualifiers

/////// CODE

#include <iostream>
#include <deque>
FYI, this header isn't used (but maybe that's because you deleted the
code that referenced it for simplicity).
#include <map>
#include <exception>

#define PRINTERROR 0
#define ABORTERROR 1
Prefer const ints or (better) an enumeration to these defines since
macros are evil (cf.
http://www.parashift.com/c++-faq-lit...s.html#faq-9.5)
and should be avoided in favor of C++ constructs when possible. These
two lines won't likely cause a problem, but it's better to be in the
habit of doing things correctly.
>
class TException : public std::exception
{
public:
enum errorCode {
TEST1 = 1,
TEST2,
TEST3
};
typedef std::map<const int, const char*MsgMap;
The problem is the const on the int. The map's key type is always made
const, and so you can't add that qualifier here lest you end up with a
"const const int". However, you should change the key type to errorCode
for an added bit of type safety.
public:
TException( const int code, const int severity = PRINTERROR ) :
Change this int to errorCode, too, for type safety. It won't guarantee
that the user doesn't cast an invalid integer value into your
enumeration type, but it will be helpful for non-devious users. For
instance, this line wouldn't compile if you made this change:

throw TException( 42 );

but this line would:

throw TException( 1 );

The latter is less explicit and more prone to accidents than the
equivalent "TException ( TException::TES T1 )". Prefer to use your
enumeration to help the programmer use your class correctly.
m_code( code ),
m_severity( severity )
{}

~TException() throw() {}

virtual const char* what() const throw()
{
return myMsgMap[ m_code ];//"some text";
}
There's another problem here. I didn't actually try compiling the code
before, and I overlooked the fact that the [] operator for map isn't
const, and since the map is (rightly) declared const in your class, you
can't call non-const methods on it (cf.
http://www.parashift.com/c++-faq-lit...html#faq-18.10
and
http://www.parashift.com/c++-faq-lit...tml#faq-18.12).
The correct version of this function is:

virtual const char* what() const throw()
{
const MsgMap::const_i terator iter = myMsgMap.find( m_code );
if( iter != myMsgMap.end() )
{
return iter->second;
}
return "No error message found!";
}
public:
private:
const int m_severity;
const int m_code;
Change this to errorCode as well.
const static MsgMap myMsgMap;
};
Remember, the following lines need to be in a .cpp file somewhere, not
a header.
>
namespace
{
class TInitialise
{
public:
TException::Msg Map m_;
public:
operator TException::Msg Map() const { return m_; }
TInitialise() {};
TInitialise &Add() { std::cout << "in add\n"; return *this; }
};
}

const TException::Msg Map TException::myM sgMap = TInitialise()
.Add()
.Add();

int main()
{
return 0;
}
Cheers! --M

Jul 13 '06 #7
Hi Thank you again...

I will do the changes you mention. It is true that for the test code i
went for the easiest way sometimes like the #define thing but was
planning to write it the proper way (as well as the casting but as I
got problem compiling it i tried to simplify the whole program).

This the first I see this syntax ?

const TException::Msg Map TException::myM sgMap = TInitialise()
.Add()
.Add();

Would you have a link where I can read about it ? (calls to the .Add()
function)

Thanks again for your help and advices.

mark

mlimber wrote:
ma*****@yahoo.c om wrote:
Hi I tried to "copy" your code (the names are a bit different) and i
get an error when i compile which i don't understand well... could you
help me a bit more please ? thank you...

/////// COMPILE ERROR

test.cpp: In member function `virtual const char* TException::wha t()
const':
test.cpp:28: error: passing `const std::map<const int, const char*,
std::less<const int>, std::allocator< std::pair<const int, const char*>
' as `this' argument of `_Tp& std::map<_Key, _Tp, _Compare, _Alloc>::operat or[](const _Key&) [with _Key = const int, _Tp = const char*, _Compare = std::less<const int>, _Alloc = std::allocator< std::pair<const int, const char*]' discards qualifiers
/////// CODE

#include <iostream>
#include <deque>

FYI, this header isn't used (but maybe that's because you deleted the
code that referenced it for simplicity).
#include <map>
#include <exception>

#define PRINTERROR 0
#define ABORTERROR 1

Prefer const ints or (better) an enumeration to these defines since
macros are evil (cf.
http://www.parashift.com/c++-faq-lit...s.html#faq-9.5)
and should be avoided in favor of C++ constructs when possible. These
two lines won't likely cause a problem, but it's better to be in the
habit of doing things correctly.

class TException : public std::exception
{
public:
enum errorCode {
TEST1 = 1,
TEST2,
TEST3
};
typedef std::map<const int, const char*MsgMap;

The problem is the const on the int. The map's key type is always made
const, and so you can't add that qualifier here lest you end up with a
"const const int". However, you should change the key type to errorCode
for an added bit of type safety.
public:
TException( const int code, const int severity = PRINTERROR ) :

Change this int to errorCode, too, for type safety. It won't guarantee
that the user doesn't cast an invalid integer value into your
enumeration type, but it will be helpful for non-devious users. For
instance, this line wouldn't compile if you made this change:

throw TException( 42 );

but this line would:

throw TException( 1 );

The latter is less explicit and more prone to accidents than the
equivalent "TException ( TException::TES T1 )". Prefer to use your
enumeration to help the programmer use your class correctly.
m_code( code ),
m_severity( severity )
{}

~TException() throw() {}

virtual const char* what() const throw()
{
return myMsgMap[ m_code ];//"some text";
}

There's another problem here. I didn't actually try compiling the code
before, and I overlooked the fact that the [] operator for map isn't
const, and since the map is (rightly) declared const in your class, you
can't call non-const methods on it (cf.
http://www.parashift.com/c++-faq-lit...html#faq-18.10
and
http://www.parashift.com/c++-faq-lit...tml#faq-18.12).
The correct version of this function is:

virtual const char* what() const throw()
{
const MsgMap::const_i terator iter = myMsgMap.find( m_code );
if( iter != myMsgMap.end() )
{
return iter->second;
}
return "No error message found!";
}
public:
private:
const int m_severity;
const int m_code;

Change this to errorCode as well.
const static MsgMap myMsgMap;
};

Remember, the following lines need to be in a .cpp file somewhere, not
a header.

namespace
{
class TInitialise
{
public:
TException::Msg Map m_;
public:
operator TException::Msg Map() const { return m_; }
TInitialise() {};
TInitialise &Add() { std::cout << "in add\n"; return *this; }
};
}

const TException::Msg Map TException::myM sgMap = TInitialise()
.Add()
.Add();

int main()
{
return 0;
}

Cheers! --M
Jul 13 '06 #8
ma*****@yahoo.c om wrote:
This the first I see this syntax ?

const TException::Msg Map TException::myM sgMap = TInitialise()
.Add()
.Add();

Would you have a link where I can read about it ? (calls to the .Add()
function)
First, please put your responses below or inline the message you are
responding to. That's the custom here.

As for that syntax, see these two FAQs:

http://www.parashift.com/c++-faq-lit...s.html#faq-8.4
http://www.parashift.com/c++-faq-lit...html#faq-10.17

At the moment, this site seems to be having problems. Here's a
(possibly out-dated) mirror:

http://geneura.ugr.es/~jmerelo/c++-f...s.html#faq-8.4
http://geneura.ugr.es/~jmerelo/c++-f...html#faq-10.17

Cheers! --M

Jul 14 '06 #9
First, please put your responses below or inline the message you are
responding to. That's the custom here.
Here is a version of the code that works. Because i found it really
interesting (I quite a few new tricks) I thought I would post a
complete version that compiles and runs. Hopefully doing all the
changes you mentionned. I just removed const. Not sure it was really
necessary but this way i could make your first version of the code
work.

Thank you again your help -

#include <iostream>
#include <deque>
#include <map>
#include <exception>

class TException : public std::exception
{
public:

enum errorCode
{
kTest1 = 1,
kTest2 = 10,
kTest3 = 12,
kTest4 = 20
};

// error severity levels
//
// #define RIE_INFO 0
// #define RIE_WARNING 1
// #define RIE_ERROR 2
// #define RIE_SEVERE 3

enum severityLevel
{
kInfo = 0, // Rendering stats and other info
kWarning, // Something seems wrong, maybe okay
kError, // Problem. Results may be wrong
kSevere // So bad you should probably abort
};

// error handlers codes
//
// #define RIE_ERRORIGNORE 0
// #define RIE_ERRORPRINT 1
// #define RIE_ERRORABORT 2

enum handlerCode
{
kErrorIgnore = 0,
kErrorPrint,
kErrorAbort,
};

typedef std::map<TExcep tion::errorCode , const char*MsgMap;

public:
TException( TException::err orCode code, TException::han dlerCode
handler =
kErrorIgnore, TException::sev erityLevel severity = kInfo ) :
m_error( code ),
m_severity( severity ),
m_handler( handler )
{}

~TException() throw() {}

const char* what() const throw()
{
return myMsgMap[ m_error ];
}

private:
TException::err orCode m_error;
TException::han dlerCode m_handler;
TException::sev erityLevel m_severity;

static MsgMap myMsgMap;
};

class MsgMapInitializ er
{
TException::Msg Map m_;
public:
operator TException::Msg Map() const { return m_; }
MsgMapInitializ er& Add( TException::err orCode error, const char * msg
)
{
m_[ error ] = msg;
return *this;
}
};

TException::Msg Map TException::myM sgMap = MsgMapInitializ er()
.Add( TException::kTe st1, "test1" )
.Add( TException::kTe st2, "test2" )
.Add( TException::kTe st3, "test3" );

int main()
{
try {
// throw something
throw( TException( TException::kTe st1, TException::kEr rorPrint,
TException::kWa rning ) );
} catch( TException &e ) {
std::cout << e.what() << std::endl;
};
return 0;
}

Jul 17 '06 #10

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

Similar topics

7
2370
by: Allan Bruce | last post by:
I have had a look through the FAQ and found that if I am using a class template then I need an argument list. I have tried to add this but it is not quite working - i.e. it doesnt compile. My code is below, could somebody please point me in the right direction? Thanks Allan #include <iostream>
6
1896
by: Carl Ribbegaardh | last post by:
I'm sorry if I ask something that's in the FAQ but I've searched google for hours now. Maybe I'm looking for the wrong terms? I have written a linked list class which is a template class. I've pretty much followed the GOF recipe from the Iterator pattern example. The follwing works fine in eg main: LinkList<User*> users; users.Add(new User("John"));
1
2895
by: Greg Phillips | last post by:
Hello everyone, I have read the section on templates in The C++ Programming Language 3rd edition 3 times over the last 4 days. Still I am stumped. I'll explain a bit about what I am doing before asking the question so as you can understand what I am trying to accomplish. Any help would be much appreciated.
1
1767
by: pj | last post by:
Oh, I forgot to list the error messages; I would be delighted if someone could explain how to deduce which line number in which file is the one that the VC compiler cannot handle. Actually I'm using C#, but the only post I could find about INTERNAL ERROR had an annotation saying the problem is the vc compiler. Unfortunately it was from a year ago and had no resolution. What do other people do when they hit compiler bugs ? Perhaps you...
2
5179
by: Jeff | last post by:
ASP.NET 2.0 In the business logic layer I've got the code (see CODE) below, this code gives a compile error (see ERROR) CODE: List<Messagemessages = null; messages = HttpContext.Current.Session; ERROR:
16
3519
by: ARC | last post by:
Hello all, So I'm knee deep in this import utility program, and am coming up with all sorts of "gotcha's!". 1st off. On a "Find Duplicates Query", does anyone have a good solution for renaming the duplicate records? My thinking was to take the results of the duplicate query, and somehow have it number each line where there is a duplicate (tried a groups query, but "count" won't work), then do an update query to change the duplicate to...
22
2815
by: phil.pellouchoud | last post by:
I did some searching online and i couldn't find anything in reference to this. I am using MinGW, gcc 4.3 and am having the following compilation issue: class CFoo { public: ...
2
19491
hyperpau
by: hyperpau | last post by:
Before anything else, I am not a very technical expert when it comes to VBA coding. I learned most of what I know by the excellent Access/VBA forum from bytes.com (formerly thescripts.com). Ergo, I will be writing this article intended for those who are in the same level, or maybe lower, of my technical knowledge. I would be using layman's words, or maybe, my own words as how I understand them, hoping, you will understand it the same way that...
0
2897
hyperpau
by: hyperpau | last post by:
Before anything else, I am not a very technical expert when it comes to VBA coding. I learned most of what I know by the excellent Access/VBA forum from bytes.com (formerly thescripts.com). Ergo, I will be writing this article intended for those who are in the same level, or maybe lower, of my technical knowledge. I would be using layman's words, or maybe, my own words as how I understand them, hoping, you will understand it the same way that...
0
9589
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
10212
Oralloy
by: Oralloy | last post by:
Hello folks, I am unable to find appropriate documentation on the type promotion of bit-fields when using the generalised comparison operator "<=>". The problem is that using the GNU compilers, it seems that the internal comparison operator "<=>" tries to promote arguments from unsigned to signed. This is as boiled down as I can make it. Here is my compilation command: g++-12 -std=c++20 -Wnarrowing bit_field.cpp Here is the code in...
0
10047
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
9995
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,...
0
8872
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing, and deployment—without human intervention. Imagine an AI that can take a project description, break it down, write the code, debug it, and then launch it, all on its own.... Now, this would greatly impact the work of software developers. The idea...
0
6674
by: conductexam | last post by:
I have .net C# application in which I am extracting data from word file and save it in database particularly. To store word all data as it is I am converting the whole word file firstly in HTML and then checking html paragraph one by one. At the time of converting from word file to html my equations which are in the word document file was convert into image. Globals.ThisAddIn.Application.ActiveDocument.Select();...
0
5304
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
5447
by: adsilva | last post by:
A Windows Forms form does not have the event Unload, like VB6. What one acts like?
3
2815
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.