473,385 Members | 1,465 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,385 software developers and data experts.

What do these warnings mean?

I'm trying to initialize an array of error messages, so that I can
print out an error message by using the 'nth string in an array, e.g.

printf("%s\n", messages[n]);

I'm still hazy on arrays of pointers to strings, so you may want to
finish your drinks before examining my code. Here's a small sample
program.

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char *messages[4] = {"Hell", "o", " ", "world"};
printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3] );
return EXIT_SUCCESS;
}

Compiled under gcc in excruciatingly ansi mode (-ansi -pedantic, and a
few other esoteric options as well), it gives...

[20:21:02][/misc/home/user2/tbrg] ./test1
o Hell world

That's what I expected. But the compiler gives the following
warnings, related to the "char *messages[4]" declaration...

test1.c: In function `main':
test1.c:6: warning: initialization discards qualifiers from pointer target type
test1.c:6: warning: initialization discards qualifiers from pointer target type
test1.c:6: warning: initialization discards qualifiers from pointer target type
test1.c:6: warning: initialization discards qualifiers from pointer target type

Since gcc's warnings have spotted a few "legal" howlers of mine
already, I take them seriously. What am I doing wrong, and how can I
correct it ?

--
Walter Dnes; my email address is *ALMOST* like wz*******@waltdnes.org
Delete the "z" to get my real address. If that gets blocked, follow
the instructions at the end of the 550 message.
Nov 14 '05 #1
15 2584
[...]
That's what I expected. But the compiler gives the following
warnings, related to the "char *messages[4]" declaration...


i cant tell you for sure, but i suppose it is the absence of const what gcc
tries to tell you (but it still perfectly valid C, K&R at least)
try to declare it

const char * foo[] = {"1", "2", "3", "4"};

C compiler must accept
char * c = "12345";
but you are not allowed to change the values (not in C89, C99)
c[0] = 2;

that is why, the prefered and clenn way should be
const char * c ="12345";
c[0] = 2; // <--error

my 50 cent

--
Daniel
Nov 14 '05 #2
"Walter Dnes (delete the 'z' to get my real address)" wrote:

I'm trying to initialize an array of error messages, so that I can
print out an error message by using the 'nth string in an array, e.g.
.... snip ... {
char *messages[4] = {"Hell", "o", " ", "world"}; .... snip ...
That's what I expected. But the compiler gives the following
warnings, related to the "char *messages[4]" declaration...

test1.c: In function `main':
test1.c:6: warning: initialization discards qualifiers from pointer target type .... snip ...
Since gcc's warnings have spotted a few "legal" howlers of mine
already, I take them seriously. What am I doing wrong, and how
can I correct it ?


Define that array as "const char *messages[4] = ...." Those
messages are unmodifiable. Say so.

--
"The most amazing achievement of the computer software industry
is its continuing cancellation of the steady and staggering
gains made by the computer hardware industry..." - Petroski
Nov 14 '05 #3
In article <news:2i************@uni-berlin.de>
Walter Dnes <se*****************************@waltdnes.org> wrote
(in part):
char *messages[4] = {"Hell", "o", " ", "world"};
Compiled under gcc in excruciatingly ansi mode (-ansi -pedantic, and a
few other esoteric options as well), it gives...
One of those "esoteric" options was, presumably, "-Wwrite-strings".

In C, a string literal[%] produces an "array N of char" object,
where N is one more than the number of characters inside the literal
-- the extra 1 is for the terminating '\0'. It is quite OK to use
the value of the object to initialize a "char *" variable:

char *p = "zorg";

The type of the anonymous "ought to have been", but for historical
reasons is not, "array N of const char". Notice the extra "const"
here. If it *had* been, the above would clearly be shorthand for:

/* str00007 is because (apparently) there were 6 other
string literals earlier. */
static const char str00007[] = { 'z', 'o', 'r', 'g', '\0' };
char *p = &str00007[0];

and *this* would require a diagnostic such as:
warning: initialization discards qualifiers from pointer target type


because &str00007[0] is "const char *", but p is just plain "char *"
-- the "const"-qualifier is missing.

Now, the peculiar thing about string literals in ANSI C is, they
really *are* read-only -- if you write on one, the effect is
undefined, and a "good" system such as a BSD or Linux will give
you a runtime trap. Yet, even though they are read-only, and the
"const" keyword *means* read-only, they do not have the "const"
attribute. This is for historical compatibility: before the 1989
C standard, there *was* no "const" keyword. Programmers just had
to be careful not to write on read-only objects. Hence, the world
is full of (perfectly good) C code that does not *use* "const".

GCC's "-Wwrite-strings" flag tells gcc that you, the programmer,
want the missing "const" stuck in. If you do this, you will get
warnings where none are required. It is quite OK to use a plain
"char *" to point at a string literal, and such code does exist,
so this warning could be annoying. Still, you have to be careful
not to write on it:

char *p = "zorg";

is fine; you just have to make sure you do not, later, try to do
something like:

p[0] = 'Z'; /* oops, was supposed to be uppercase */

If you make p have type "const char *", the compiler will be able
to catch this mistake at compile-time, and the code will compile
cleanly both with and without "-Wwrite-strings".

GCC's optional warning gives you a choice: "warn me about missing
`const's so I do not forget and try to write through the pointer",
or "do not warn me about this, because it is OK if I do not forget,
and the warning is annoying". You get to decide which of these
holds true for your own code.
--
In-Real-Life: Chris Torek, Wind River Systems
Salt Lake City, UT, USA (40°39.22'N, 111°50.29'W) +1 801 277 2603
email: forget about it http://web.torek.net/torek/index.html
Reading email is like searching for food in the garbage, thanks to spammers.
Nov 14 '05 #4
Walter Dnes (delete the 'z' to get my real address) wrote:
[..]
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char *messages[4] = {"Hell", "o", " ", "world"};
printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3] );
return EXIT_SUCCESS;
}

Compiled under gcc [...] the compiler gives the following
warnings, related to the "char *messages[4]" declaration...


So what does this do?

#include <stdio.h>
#include <string.h>
int main(void)
{
const char *messages[] = { "Hell", "o", " ", "world" };
printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3]);
return 0;
}

Nov 14 '05 #5
The unanimous consenus from the replies is that I'm missing "const" in
the declaration. I got rid of the warnings by changing it to...

const char *messages[] = {"Hell", "o", " ", "world"};

As someone correctly deduced, one of my "esoteric options" was
"-Wwrite-strings". Because I'm using it to set up error messages in the
app I'm currently doing, "const" is OK, and a nice sanity-check. For
future reference, in case I do have to initialize at runtime, the
following compiles+runs without warnings. Other than the fact that it's
a trivial example, any comments/suggestions ?

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char *messages[4];

char string_a[5];
char string_b[2];
char string_c[2];
char string_d[6];

strcpy(string_a, "Hell");
strcpy(string_b, "o");
strcpy(string_c, " ");
strcpy(string_d, "world");

messages[0] = string_a;
messages[1] = string_b;
messages[2] = string_c;
messages[3] = string_d;

printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3] );
return EXIT_SUCCESS;
}
--
Walter Dnes; my email address is *ALMOST* like wz*******@waltdnes.org
Delete the "z" to get my real address. If that gets blocked, follow
the instructions at the end of the 550 message.
Nov 14 '05 #6


Walter Dnes (delete the 'z' to get my real address) wrote:
The unanimous consenus from the replies is that I'm missing "const" in
the declaration. I got rid of the warnings by changing it to...

const char *messages[] = {"Hell", "o", " ", "world"};

As someone correctly deduced, one of my "esoteric options" was
"-Wwrite-strings". Because I'm using it to set up error messages in the
app I'm currently doing, "const" is OK, and a nice sanity-check. For
future reference, in case I do have to initialize at runtime, the
following compiles+runs without warnings. Other than the fact that it's
a trivial example, any comments/suggestions ?

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char *messages[4];

char string_a[5];
char string_b[2];
char string_c[2];
char string_d[6];

strcpy(string_a, "Hell");
strcpy(string_b, "o");
strcpy(string_c, " ");
strcpy(string_d, "world");

This will work, however, you can omit the strcpy statements
by initializing the char arrays on declaration.

char string_a[5] = "Hell";
etc
or
char string_a[] = "Hell";
char string_b[] = "o";
char string_c[] = " ";
char string_d[] = "world";
messages[0] = string_a;
messages[1] = string_b;
messages[2] = string_c;
messages[3] = string_d;

printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3] );
return EXIT_SUCCESS;
}


--
Al Bowers
Tampa, Fl USA
mailto: xa******@myrapidsys.com (remove the x to send email)
http://www.geocities.com/abowers822/

Nov 14 '05 #7
In <2i************@uni-berlin.de> "Walter Dnes (delete the 'z' to get my real address)" <wz*******@waltdnes.org> writes:
I'm trying to initialize an array of error messages, so that I can
print out an error message by using the 'nth string in an array, e.g.

printf("%s\n", messages[n]);

I'm still hazy on arrays of pointers to strings, so you may want to
finish your drinks before examining my code. Here's a small sample
program.

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char *messages[4] = {"Hell", "o", " ", "world"};
printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3] );
return EXIT_SUCCESS;
}

Compiled under gcc in excruciatingly ansi mode (-ansi -pedantic, and a
few other esoteric options as well), it gives...
NEVER ever use a compiler option whose meaning is not *perfectly* clear
to you... One of these esoteric options took the compiler out of
conforming ANSI mode.
[20:21:02][/misc/home/user2/tbrg] ./test1
o Hell world

That's what I expected. But the compiler gives the following
warnings, related to the "char *messages[4]" declaration...

test1.c: In function `main':
test1.c:6: warning: initialization discards qualifiers from pointer target type
test1.c:6: warning: initialization discards qualifiers from pointer target type
test1.c:6: warning: initialization discards qualifiers from pointer target type
test1.c:6: warning: initialization discards qualifiers from pointer target type

Since gcc's warnings have spotted a few "legal" howlers of mine
already, I take them seriously. What am I doing wrong, and how can I
correct it ?


Recompile the code using *only* options you do understand:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(void)
{
char *messages[4] = {"Hell", "o", " ", "world"};
printf("%s%s%s%s%s\n", messages[1], messages[2],
messages[0], messages[2], messages[3] );
return EXIT_SUCCESS;
}
fangorn:~/tmp 86> gcc -ansi -pedantic -Wall test.c
fangorn:~/tmp 87>

See, there is nothing wrong with the code, the problem is using a gcc
inacantation you don't understand in the first place.

Dan
--
Dan Pop
DESY Zeuthen, RZ group
Email: Da*****@ifh.de
Nov 14 '05 #8
In <40***************@yahoo.com> CBFalconer <cb********@yahoo.com> writes:
"Walter Dnes (delete the 'z' to get my real address)" wrote:

I'm trying to initialize an array of error messages, so that I can
print out an error message by using the 'nth string in an array, e.g.

... snip ...
{
char *messages[4] = {"Hell", "o", " ", "world"};

... snip ...

That's what I expected. But the compiler gives the following
warnings, related to the "char *messages[4]" declaration...

test1.c: In function `main':
test1.c:6: warning: initialization discards qualifiers from pointer target type

... snip ...

Since gcc's warnings have spotted a few "legal" howlers of mine
already, I take them seriously. What am I doing wrong, and how
can I correct it ?


Define that array as "const char *messages[4] = ...." Those
messages are unmodifiable. Say so.


Please engage your brain and answer the following simple question: in
standard C, what is the ultimate type his array initialisers are supposed
to have? Is this type compatible with the type of an array element?
If yes why would the const make any difference?

As it happens, the const is required by the fact that the OP is not using
his compiler in conforming mode and the initialisers have the *incorrect*
type. But this is something the OP needs to be *explicitly* explained,
otherwise your advice is downright confusing!

Dan
--
Dan Pop
DESY Zeuthen, RZ group
Email: Da*****@ifh.de
Nov 14 '05 #9
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:
.... snip ...

Define that array as "const char *messages[4] = ...." Those
messages are unmodifiable. Say so.

.... snip ...
As it happens, the const is required by the fact that the OP is
not using his compiler in conforming mode and the initialisers
have the *incorrect* type. But this is something the OP needs
to be *explicitly* explained, otherwise your advice is downright
confusing!


I happen to think the OP is using a suitable set of options for
new code, and that my reason for the revision is easily
understandable. The standard says the constants are not
necessarily modifiable. All the rest follows. He has found his
problem at compile time, rather than at some nebulous future run
time.

We can all be obscure at times, but this is not one of them. In
fact, I consider my advice to have been admirably succint. :-)

--
Chuck F (cb********@yahoo.com) (cb********@worldnet.att.net)
Available for consulting/temporary embedded and systems.
<http://cbfalconer.home.att.net> USE worldnet address!

Nov 14 '05 #10
In <40***************@yahoo.com> CBFalconer <cb********@yahoo.com> writes:
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:
... snip ...

Define that array as "const char *messages[4] = ...." Those
messages are unmodifiable. Say so.

... snip ...

As it happens, the const is required by the fact that the OP is
not using his compiler in conforming mode and the initialisers
have the *incorrect* type. But this is something the OP needs
to be *explicitly* explained, otherwise your advice is downright
confusing!


I happen to think the OP is using a suitable set of options for
new code, and that my reason for the revision is easily
understandable. The standard says the constants are not
necessarily modifiable.


Was the OP trying to modify them anywhere? If not, what *exactly* is
your point?
All the rest follows.
Nope, nothing follows.
He has found his
problem at compile time, rather than at some nebulous future run
time.
He had no problem in the first place, his code was 100% correct.
His pseudo-problem was caused by the existence of some bogus compiler
diagnostics, caused by invoking the compiler in non-conforming mode.
We can all be obscure at times, but this is not one of them. In
fact, I consider my advice to have been admirably succint. :-)


It was admirably bullshit. All the OP could learn from it was that the
const was required by the language, which is patently false.

Dan
--
Dan Pop
DESY Zeuthen, RZ group
Email: Da*****@ifh.de
Nov 14 '05 #11
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:

... snip ...

Define that array as "const char *messages[4] = ...." Those
messages are unmodifiable. Say so.

... snip ...

As it happens, the const is required by the fact that the OP is
not using his compiler in conforming mode and the initialisers
have the *incorrect* type. But this is something the OP needs
to be *explicitly* explained, otherwise your advice is downright
confusing!


I happen to think the OP is using a suitable set of options for
new code, and that my reason for the revision is easily
understandable. The standard says the constants are not
necessarily modifiable.


Was the OP trying to modify them anywhere? If not, what *exactly*
is your point?
All the rest follows.


Nope, nothing follows.
He has found his problem at compile time, rather than at some
nebulous future run time.


He had no problem in the first place, his code was 100% correct.
His pseudo-problem was caused by the existence of some bogus
compiler diagnostics, caused by invoking the compiler in
non-conforming mode.
We can all be obscure at times, but this is not one of them. In
fact, I consider my advice to have been admirably succint. :-)


It was admirably bullshit. All the OP could learn from it was
that the const was required by the language, which is patently
false.


On the contrary, it is true in the same sense that casting the
return value from malloc is poor practice, or that testing input
completion with feof is probably wrong. C is already quite
capable of taking sly nips at ones ankles, and the odd extra guard
is useful. The fact that it induces spurious error indications in
old code, written before the 'const' word was even a part of C, is
immaterial.

<sarcasm> To be consistent you should also advocate the use of
pre-prototype function definitions, and you should never use -W,
-Wall, -ansi, or -pedantic with gcc. </sarcasm>

--
A: Because it fouls the order in which people normally read text.
Q: Why is top-posting such a bad thing?
A: Top-posting.
Q: What is the most annoying thing on usenet and in e-mail?

Nov 14 '05 #12
In <40***************@yahoo.com> CBFalconer <cb********@yahoo.com> writes:
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:

... snip ...
>
> Define that array as "const char *messages[4] = ...." Those
> messages are unmodifiable. Say so.

... snip ...

As it happens, the const is required by the fact that the OP is
not using his compiler in conforming mode and the initialisers
have the *incorrect* type. But this is something the OP needs
to be *explicitly* explained, otherwise your advice is downright
confusing!

I happen to think the OP is using a suitable set of options for
new code, and that my reason for the revision is easily
understandable. The standard says the constants are not
necessarily modifiable.
Was the OP trying to modify them anywhere? If not, what *exactly*
is your point?
All the rest follows.


Nope, nothing follows.
He has found his problem at compile time, rather than at some
nebulous future run time.


He had no problem in the first place, his code was 100% correct.
His pseudo-problem was caused by the existence of some bogus
compiler diagnostics, caused by invoking the compiler in
non-conforming mode.
We can all be obscure at times, but this is not one of them. In
fact, I consider my advice to have been admirably succint. :-)


It was admirably bullshit. All the OP could learn from it was
that the const was required by the language, which is patently
false.


On the contrary, it is true in the same sense that casting the
return value from malloc is poor practice, or that testing input
completion with feof is probably wrong. C is already quite
capable of taking sly nips at ones ankles, and the odd extra guard
is useful.


But this is NOT what you told to the OP, is it? You made him believe
that the const is *required* by the language, and this is BULLSHIT.
The usage of const in that context is not even a purely stilistical issue
because it forces significant changes in other contexts, too. E.g.

fangorn:~/tmp 170> cat test.c
#include <string.h>

char *last(char *s)
{
return s + strlen(s) - 1;
}

int main(void)
{
const char *foo = "bar";
return *last(foo) - 'r';
}
fangorn:~/tmp 171> gcc test.c
test.c: In function `main':
test.c:11: warning: passing arg 1 of `last' discards qualifiers from pointer target type

Fix this code so that it compiles cleanly and post the result. Note that
changing the return type of last() is NOT an option, as the function is
also supposed to be passed non constant strings as arguments and its
return value should be usable for modifying those strings. Just like
strchr().

Needless to say, my example would be perfectly correct without the const
in the definition of foo. Preserving this const requires the introduction
of a very ugly pointer cast in last().

So, cut the crap about the usefulness of the "odd extra guard".
The fact that it induces spurious error indications in
old code, written before the 'const' word was even a part of C, is
immaterial.
What old code are you talking about?
<sarcasm> To be consistent you should also advocate the use of
pre-prototype function definitions, and you should never use -W,
-Wall, -ansi, or -pedantic with gcc. </sarcasm>


Your sarcasm is misplaced (as usual). The OP did use -ansi -pedantic
therefore he was NOT interested in writing pre-ANSI code. Neither am I.

In C, more often than not, const is a cure much worse than the disease.
It is, probably, the very last feature that should be taught to the
newbie, along with an explanation that it actually means "read only" and
comes with an array of strings [sic] attached. I have a lot of respect
for whoever coined the term "const poisoning".

Dan
--
Dan Pop
DESY Zeuthen, RZ group
Email: Da*****@ifh.de
Nov 14 '05 #13
In article <ca**********@sunnews.cern.ch> Dan Pop <Da*****@cern.ch> wrote:
In C, more often than not, const is a cure much worse than the disease.
It is, probably, the very last feature that should be taught to the
newbie, along with an explanation that it actually means "read only" and
comes with an array of strings [sic] attached. I have a lot of respect
for whoever coined the term "const poisoning".


That was Henry Spencer, if I recall correctly.

(I still believe "const" should have been inserted as a storage-class
modifier rather than a type-qualifier, with the type system ignoring
"const"-ness entirely. The type attributes of string literals
simply do not work right; and things get even hairier when one
tries to deal with, e.g., "char **argv" and "const char *const *"
parameters. The latter "works right" in C++, but not in C.)
--
In-Real-Life: Chris Torek, Wind River Systems
Salt Lake City, UT, USA (40°39.22'N, 111°50.29'W) +1 801 277 2603
email: forget about it http://web.torek.net/torek/index.html
Reading email is like searching for food in the garbage, thanks to spammers.
Nov 14 '05 #14
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:

.... snip ...

On the contrary, it is true in the same sense that casting the
return value from malloc is poor practice, or that testing input
completion with feof is probably wrong. C is already quite
capable of taking sly nips at ones ankles, and the odd extra guard
is useful.


But this is NOT what you told to the OP, is it? You made him
believe that the const is *required* by the language, and this is
BULLSHIT. The usage of const in that context is not even a purely
stilistical issue because it forces significant changes in other

.... snip ...

Following is my original advice, allowing this to be snipped:
>> Define that array as "const char *messages[4] = ...." Those
>> messages are unmodifiable. Say so.


Have you any disagreement with the fact that those quoted string
messages (represented by the .....) are unmodifiable? I told the
OP to state that fact.

--
A: Because it fouls the order in which people normally read text.
Q: Why is top-posting such a bad thing?
A: Top-posting.
Q: What is the most annoying thing on usenet and in e-mail?
Nov 14 '05 #15
In <40***************@yahoo.com> CBFalconer <cb********@yahoo.com> writes:
Dan Pop wrote:
CBFalconer <cb********@yahoo.com> writes:

... snip ...

On the contrary, it is true in the same sense that casting the
return value from malloc is poor practice, or that testing input
completion with feof is probably wrong. C is already quite
capable of taking sly nips at ones ankles, and the odd extra guard
is useful.


But this is NOT what you told to the OP, is it? You made him
believe that the const is *required* by the language, and this is
BULLSHIT. The usage of const in that context is not even a purely
stilistical issue because it forces significant changes in other

... snip ...

Following is my original advice, allowing this to be snipped:
>>> Define that array as "const char *messages[4] = ...." Those
>>> messages are unmodifiable. Say so.


Have you any disagreement with the fact that those quoted string
messages (represented by the .....) are unmodifiable? I told the
OP to state that fact.


If you believe that going in circles after losing a debate is the right
thing to do, I have even less respect for you.

I have already clearly explained to you what's wrong with your advice
and I'm not going to repeat myself. Reread the thread.

Dan
--
Dan Pop
DESY Zeuthen, RZ group
Email: Da*****@ifh.de
Nov 14 '05 #16

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

Similar topics

3
by: tony | last post by:
Hello!! I use VS 2003 and C# for all class library except MeltPracCommon.dll which is C++.NET The problem is that I get these warnings when building the exe file and use my class libraries....
669
by: Xah Lee | last post by:
in March, i posted a essay “What is Expressiveness in a Computer Languageâ€, archived at: http://xahlee.org/perl-python/what_is_expresiveness.html I was informed then that there is a academic...
132
by: Frederick Gotham | last post by:
If we look at a programming language such as C++: When an updated Standard comes out, everyone adopts it and abandons the previous one. It seems though that things aren't so clear-cut in the C...
98
by: tjb | last post by:
I often see code like this: /// <summary> /// Removes a node. /// </summary> /// <param name="node">The node to remove.</param> public void RemoveNode(Node node) { <...> }
6
by: pete142 | last post by:
When I compile this code: typedef unsigned char BYTE; BYTE * IpString(unsigned int ip) { static BYTE ipString; ipString = (BYTE) 0xff & (ip >24); ipString = (BYTE) 0xff & (ip >16);
92
by: Heinrich Pumpernickel | last post by:
what does this warning mean ? #include <stdio.h> int main() { long l = 100; printf("l is %li\n", l * 10L);
45
by: loudking | last post by:
Hello, all I don't quite understand what does ((time_t)-1) mean when I execute "man 2 time" RETURN VALUE On success, the value of time in seconds since the Epoch is retu rned. On error,...
3
by: neovantage | last post by:
Hey, Can some one guide me that from where these 2 css warnings come from as i am unable to find those id's in my css file named as here is the url which gives warnings on my contact page ...
0
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 3 Apr 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 former...
0
by: ryjfgjl | last post by:
In our work, we often need to import Excel data into databases (such as MySQL, SQL Server, Oracle) for data analysis and processing. Usually, we use database tools like Navicat or the Excel import...
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
0
by: aa123db | last post by:
Variable and constants Use var or let for variables and const fror constants. Var foo ='bar'; Let foo ='bar';const baz ='bar'; Functions function $name$ ($parameters$) { } ...
0
by: ryjfgjl | last post by:
If we have dozens or hundreds of excel to import into the database, if we use the excel import function provided by database editors such as navicat, it will be extremely tedious and time-consuming...
0
by: ryjfgjl | last post by:
In our work, we often receive Excel tables with data in the same format. If we want to analyze these data, it can be difficult to analyze them because the data is spread across multiple Excel files...
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...

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.