Explore topic-wise InterviewSolutions in .

This section includes InterviewSolutions, each offering curated multiple-choice questions to sharpen your knowledge and support exam preparation. Choose a topic below to get started.

451.

Solve : uploading html files to ftp server?

Answer»

Hello everyone,

I have made a html page with a LOT of images and a CSS file. I have UPLOADED them to my ftp server.
there were many folders such as images, css etc. I have copied images of my html page to the images FOLDER of the server and css to css folder.

but now, my web page is not displaying correctly. css file is not loaded and some images are also not displayed.

can anyone solve my problem. how to upload the html page(Also MAIN(index page)) on a ftp server.check how you are calling the css files from your html. make sure you're not asking for C:\cssfolder\stylesheet.css. You'll want to be calling http://www.sitename.com/cssfolder/stylesheet.css or cssfolder/stylesheet.css
Make sense?I guess Mich is right. Check out the relative path/virtual dir name you are using.

452.

Solve : little bit of confusion on jsp page cache?

Answer»

how the cache done for a jsp page or other dynamic page .....

i mean when i change the jsp page and then request for the jsp page with same query string then the updated version is shown on browser if the the browser window is a simple window.......

if i have that window as MODAL dialog box then the everytime the updated version is not shown .... how this happens .....

i am confused about it ..... plz help me


thanxxxxxxIt depends on the type of modal box you're generating.  The contents of the modal box may already have been DETERMINED by the time the parent window is loaded - so if you don't REFRESH the parent window, the contents of the modal box won't change.  This is not true for all modal boxes, but is true for MANY.  The answer to this is to use AJAX to generate the modal box's contents on the fly.r u sure that after refreshing the parent window the updated dialog box comes on....

one strange thing happens to me that in a browsing session the modal dialog box content comes through local cache ..... Quote

r u sure that after refreshing the parent window the updated dialog box comes on....
Without SEEING the page in question, or the underlying code, I can't be sure of anything.  I might be struggling anyway, since I'm a PHP man and have no exposure to JSP.ok sorryy.... i will test it again throughly then i will tell what happens to me


again i m sooorrryyyy.....thanx
453.

Solve : Help with login system?

Answer»

First let me introduce myself, I am Danny just got out of high school and now in college trying to start up my own clothing company. I have my website up and it runs fine and just added google checkout carts, but now I want a login system so that I can keep track of my customers and so that they have to be logged in inorder to PURCHASE my shirts. I went to a website where there was a tutorial and examples how to create a login system and so I read it and ext. and uploaded the tables.sql to my Mysql SERVER and all the tables appeared fine then I uploaded all the php files to my directory. Now for example I typed in thisismysite.com/register.php I get this message: Client does not support authentication protocol requested by server; consider upgrading MySQL client What am I doing wrong? this is what the php looks like for connecting to the server: Code: [SELECT]<?

define("DB_SERVER", "10.11.8.195");
define("DB_USER", "notrealusername");
define("DB_PASS", "notrealpassword");
define("DB_NAME", "notrealdbname");


define("TBL_USERS", "users");
define("TBL_ACTIVE_USERS",  "active_users");
define("TBL_ACTIVE_GUESTS", "active_guests");
define("TBL_BANNED_USERS",  "banned_users");


define("ADMIN_NAME", "admin");
define("GUEST_NAME", "Guest");
define("ADMIN_LEVEL", 9);
define("USER_LEVEL",  1);
define("GUEST_LEVEL", 0);

ne("TRACK_VISITORS", true);


define("USER_TIMEOUT", 10);
define("GUEST_TIMEOUT", 5);


define("COOKIE_EXPIRE", 60*60*24*100); 
define("COOKIE_PATH", "/"); 

define("EMAIL_FROM_NAME", "YourName");
define("EMAIL_FROM_ADDR", "[email protected]");
define("EMAIL_WELCOME", false);


define("ALL_LOWERCASE", false);
?>
and this is the database code:
Code: [Select]<?

include("constants.php");
     
class MySQLDB
{
   var $connection;         
   var $num_active_users; 
   var $num_active_guests; 
   var $num_members;       


   FUNCTION MySQLDB(){
     
      $this->connection = mysql_connect(DB_SERVER, DB_USER, DB_PASS) or die(mysql_error());
      mysql_select_db(DB_NAME, $this->connection) or die(mysql_error());
     
     
      $this->num_members = -1;
     
      if(TRACK_VISITORS){
       
         $this->calcNumActiveUsers();
     
         $this->calcNumActiveGuests();
      }
   }

   
   function confirmUserPass($username, $password){
   
      if(!get_magic_quotes_gpc()) {
      $username = addslashes($username);
      }

     
      $q = "SELECT password FROM ".TBL_USERS." WHERE username = '$username'";
      $result = mysql_query($q, $this->connection);
      if(!$result || (mysql_numrows($result) < 1)){
         return 1;
      }

   
      $dbarray = mysql_fetch_array($result);
      $dbarray['password'] = stripslashes($dbarray['password']);
      $password = stripslashes($password);


      if($password == $dbarray['password']){
         return 0;
      else{
         return 2;
      }
   }
   
   
   function confirmUserID($username, $userid){
     
      if(!get_magic_quotes_gpc()) {
      $username = addslashes($username);
      }

     
      $q = "SELECT userid FROM ".TBL_USERS." WHERE username = '$username'";
      $result = mysql_query($q, $this->connection);
      if(!$result || (mysql_numrows($result) < 1)){
         return 1;
      }

   
      $dbarray = mysql_fetch_array($result);
      $dbarray['userid'] = stripslashes($dbarray['userid']);
      $userid = stripslashes($userid);

     
      if($userid == $dbarray['userid']){
         return 0;
      }
      else{
         return 2;
      }
   }
   
 
   function usernameTaken($username){
      if(!get_magic_quotes_gpc()){
         $username = addslashes($username);
      }
      $q = "SELECT username FROM ".TBL_USERS." WHERE username = '$username'";
      $result = mysql_query($q, $this->connection);
      return (mysql_numrows($result) > 0);
   }
   
 
   function usernameBanned($username){
      if(!get_magic_quotes_gpc()){
         $username = addslashes($username);
      }
      $q = "SELECT username FROM ".TBL_BANNED_USERS." WHERE username = '$username'";
      $result = mysql_query($q, $this->connection);
      return (mysql_numrows($result) > 0);
   }
   
   
   function addNewUser($username, $password, $email){
      $time = time();
     
      if(strcasecmp($username, ADMIN_NAME) == 0){
         $ulevel = ADMIN_LEVEL;
      }else{
         $ulevel = USER_LEVEL;
      }
      $q = "INSERT INTO ".TBL_USERS." VALUES ('$username', '$password', '0', $ulevel, '$email', $time)";
      return mysql_query($q, $this->connection);
   }
   
   
   function updateUserField($username, $field, $value){
      $q = "UPDATE ".TBL_USERS." SET ".$field." = '$value' WHERE username = '$username'";
      return mysql_query($q, $this->connection);
   }
   
 
   function getUserInfo($username){
      $q = "SELECT * FROM ".TBL_USERS." WHERE username = '$username'";
      $result = mysql_query($q, $this->connection);
     
      if(!$result || (mysql_numrows($result) < 1)){
         return NULL;
      }
     
      $dbarray = mysql_fetch_array($result);
      return $dbarray;
   }
   
   
   function getNumMembers(){
      if($this->num_members < 0){
         $q = "SELECT * FROM ".TBL_USERS;
         $result = mysql_query($q, $this->connection);
         $this->num_members = mysql_numrows($result);
      }
      return $this->num_members;
   }
   
   
   function calcNumActiveUsers(){
     
      $q = "SELECT * FROM ".TBL_ACTIVE_USERS;
      $result = mysql_query($q, $this->connection);
      $this->num_active_users = mysql_numrows($result);
   }
   
 
   function calcNumActiveGuests(){
     
      $q = "SELECT * FROM ".TBL_ACTIVE_GUESTS;
      $result = mysql_query($q, $this->connection);
      $this->num_active_guests = mysql_numrows($result);
   }
   
   
   function addActiveUser($username, $time){
      $q = "UPDATE ".TBL_USERS." SET timestamp = '$time' WHERE username = '$username'";
      mysql_query($q, $this->connection);
     
      if(!TRACK_VISITORS) return;
      $q = "REPLACE INTO ".TBL_ACTIVE_USERS." VALUES ('$username', '$time')";
      mysql_query($q, $this->connection);
      $this->calcNumActiveUsers();
   }
   
 
   function addActiveGuest($ip, $time){
      if(!TRACK_VISITORS) return;
      $q = "REPLACE INTO ".TBL_ACTIVE_GUESTS." VALUES ('$ip', '$time')";
      mysql_query($q, $this->connection);
      $this->calcNumActiveGuests();
   }
   
 
   function removeActiveUser($username){
      if(!TRACK_VISITORS) return;
      $q = "DELETE FROM ".TBL_ACTIVE_USERS." WHERE username = '$username'";
      mysql_query($q, $this->connection);
      $this->calcNumActiveUsers();
   }
   
   
   function removeActiveGuest($ip){
      if(!TRACK_VISITORS) return;
      $q = "DELETE FROM ".TBL_ACTIVE_GUESTS." WHERE ip = '$ip'";
      mysql_query($q, $this->connection);
      $this->calcNumActiveGuests();
   }
   

   function removeInactiveUsers(){
      if(!TRACK_VISITORS) return;
      $timeout = time()-USER_TIMEOUT*60;
      $q = "DELETE FROM ".TBL_ACTIVE_USERS." WHERE timestamp < $timeout";
      mysql_query($q, $this->connection);
      $this->calcNumActiveUsers();
   }

 
   function removeInactiveGuests(){
      if(!TRACK_VISITORS) return;
      $timeout = time()-GUEST_TIMEOUT*60;
      $q = "DELETE FROM ".TBL_ACTIVE_GUESTS." WHERE timestamp < $timeout";
      mysql_query($q, $this->connection);
      $this->calcNumActiveGuests();
   }
   
 
   function query($query){
      return mysql_query($query, $this->connection);
   }
};


$database = new MySQLDB;

?>
I Don't know if these are whats causing the problem  but please help.

Thanks in advance,

DannyDoes your host support secure connections?
Have you looked into finding a host that had all that already? I've used lunarpages.com in the past and they offer free software to do logins and shopping carts. If you're really set on your current host and/or just want to figure out how to do it for yourself, you might check out some of the options at sourceforge.net (browse the source code for similar projects and phpbuilder.net
phpbuilder.net has a great forum where you could get all the answers at.

454.

Solve : cache control:private what does it mean??????

Answer»

friends ....
i have a RESPONSE header Cache-Control:private then the proxy-cache does not happen.....only local cache happens

m i right .....

plz help me out .......

thanxWhat do you mean by "proxy-cache" and what are you trying to achieve?sorry i never think of it ... just i heared the name and have no clear definition...

good to see u ask me ... i sense myself what i have about cache .....

so plz clearify me one thing when a response comes via proxy and then finally to the client then the page .. how decides that where to do cache , means local or proxy...or both

plz help me ..... thanxOkay, well proxies are usually outside of the control of the client or server in a typical HTTP transaction.  You must therefore treat them as untrusted - in other WORDS, even if you ask the proxy not to cache the page in question, you cannot force the proxy to honour that request.  The best you can do is use HTTPS for sensitive transactions and hope that the client is not using a proxy for port 443 transactions.

Personally, I wouldn't distinguish between proxy and client cache in this way.  If you don't want the client to cache the page, you certainly don't want the proxy to cache it.  So set the page to expire at some date in the past and issue a "pragma:no-cache" header.thnax for ur reply ....

TELL me one more thing .... 443 transaction ..... i don't know about it ...

then say ... what Cache-Control:private does it mean really

thanxxxxx Quote

tell me one more thing .... 443 transaction ..... i don't know about it ...
I have no idea what you mean.

Quote
then say ... what Cache-Control:private does it mean really
Have a read >here<.  (And >here's< a more simple explanation.)  As I say, you can never be sure that an intervening proxy will abide by cache directives.i mean what happens if proxy uses port 443 for transaction ......


plz help me ...  thanxxxAh right, sorry.  Port 443 is used by HTTPS - in other words, secure web transactions - the kind that you would use for online banking.  HTTPS is an ENCRYPTED protocol, designed to reduce the risk of someone viewing the contents of the web transaction.  Plain HTTP, which is unencrypted, uses port 80.  In my view, there is generally no HARM in using a proxy for plain HTTP transactions, since they should not contain sensitive data.  Using a proxy for port 443 transactions however reduces the security of HTTPS and makes a so-called "man in the middle" attack relatively trivial.ok it's ok ... thanx for ur reply

ok i ll check out ur link .....

thanx again
455.

Solve : How do I format a mysql table, using a PHP program?

Answer»

I have the following program :

$result_set = mysql_query( "SELECT * FROM team_attributes");
   print "";

". mysql_field_name($result_set, $c)."
". $record[$c]."
";


Which yields the following RESULTS:

TEAM              P W D L F A GD Pts
Arsenal          0 0 0 0 0 0    0    0
Aston Villa      0 0 0 0 0 0   0    0
Birmingham    0 0 0 0 0 0   0    0
Blackburn       0 0 0 0 0 0   0    0

How do I format the table to show borders and spacing, I tried to embed the HTML tags for border etc.. within my program but this shows an error. 

Help would be greatly appreciated
What's the error?
Is the CODE you POSTED the code that produces the error? If not, post that code as well.
456.

Solve : Internet Explorer Cannot Download a pdf document?

Answer»

I have scanned some pages from a MAGAZINE in the PDF format( Adobe Acrobat 7.0).
Then I wanted to email these pages. But when the recipient tried to download those
documents, he was unable to do so. Instead the following msg was displayed:

"Internet Explorer cannot download 5eb4b36c9923ed5579cc57feccb8e from
65.54.250.250. Internet explorer was not able to open this internet site. The
requested site is either unavailable or cannot be found. PLEASE TRY again later"


I am really devastated coz I needed to email these pages. But I was able to
email photos!

Grateful for an expert advice please. Thank you so much.
You might want to try re-scanning the pages as is and sending them as an an attachment to your e-mails...right now it looks LIKE they are trying to connect to your machine...Cheers mate for the tips.

457.

Solve : Linking databse tables using PHPmyadmin and PHP?

Answer»

Hi,

I have created 2 tables in PHPmyAdmin, 1 table needs to be linked to the other as follows:-

Table 1 = Field1name = Team = Arsenal, Aston Villa, Blackburn etc....
Table 1 = Field2name = Points = 3, 6, 3 etc

Table 2 = Field2name = Position = 1, 2, 3 ===> 20

as the points are accrued the data is sorted and the sequence of the teams move to there respective position in the list.

I have a PHP program which calls the MySQL database.

I would appreciate any guidance given

Many thanksI'm not totally sure, but I don't think mysql actually links the tables together. I believe you are supposed to tell php which tables you want it to use together. I can't REALLY tell what your table structure looks LIKE with the given depiction. Could you copy the output from mysql after a "describe Table1;" command?
More info would be helpful.Hi,

this is the output of my table so far:


Pos    TEAM             P W D L F A GD Pts
  1        Arsenal        0  0  0 0 0 0 0    0
  2        Aston Villa    0 0 0 0 0 0 0     0
  3        Birmingham  0 0 0 0 0 0 0     3
  4        Blackburn     0 0 0 0 0 0 0     0

as you can see if the points column is sorted, then the sequence of the table will look like this :-

Pos    TEAM             P W D L F A GD Pts
  1        Birmingham  0  0  0 0 0 0 0    3
  2        Arsenal        0 0 0 0 0 0 0      0
  3        Aston Villa    0 0 0 0 0 0 0      0
  4        Blackburn     0 0 0 0 0 0 0      0

my problem is I do not know how to sort and sequence the table. 

Many thanksIn my mind, probably the easiest thing to do is to put the points into its own table and have it reference the team table by number. Then you could sort the points and then insert the appropriate team where the reference is. I think all of that would need to happen on the php side.

Here's what the table structure might look like:
TEAMTable
Pos    TEAM             P W D L F A GD  PointsRef
  1        Arsenal        0  0  0 0 0 0 0    1
  2        Aston Villa    0 0 0 0 0 0 0     2
  3        Birmingham  0 0 0 0 0 0 0     3
  4        Blackburn     0 0 0 0 0 0 0     4

PointTable
TeamRef  Points
1              0
2              0
3              3
4              0

Now, when you go to sort by points, call the PointTable first and sort it. Then replace the TeamRef numbers with their corresponding team from TeamTable.
After sorting it, it would look like this:
PointTable
TeamRef  Points
3              3
1              0
2              0
4              0
and then once you replace the numbers with team names:
PointTable
TeamRef       Points
Birmingham   3
Arsenal          0
Aston Villa     0
Blackburn      0

Is there a easier way? Maybe. Would this way take a lot of coding and some database normalization skills? Probably. Would I ask the people at www.phpbuilder.net/board for more advice? Absolutely.
Good Luck, and if you have any more questions, I'll do my best to answer in an intelligent way. THANKS for the great response,

what you have suggested makes perfect sense.  I will report back with results.

Kind Regards

458.

Solve : Change background after a week?

Answer»

Hi.  I've found lots of scripts for changing the background by time of day or randomly but not what I'm looking for.

What I need to do is have the background automatically change in a table cell after a week so that people can tell which ones are new and which ones are old.  SEE: http://www.savejfc.net/videos.html

Each cell has a picture and a link to a video clip.  I need the backgrounds to change so that returning visitors can find the new ones quickly.

I did find this script that will work for an image in a cell which I'm going to adapt to work for now but I really want to change the whole background of a cell... if not the image then at least the color:


 
//remember in javascript january is month 0
var firstday = new Date(2007, 06, 09); //start on Midnight 22 -0:00
var lastday = new Date(2007, 08, 09); //start on Midnight 23 -0:00
var today =new Date()
today.getTime()
if ((today>firstday) && (today < lastday)) { document.getElementById("cell1").src="image2.gif" }


MUCH thanks for your help!It looks like your site would be better fitted with php than just plain html.
I can think of several easy WAYS to do what you're trying to do with php, but it might be more difficult with javascript.
If you were using php, you could display all of the video files from a SPECIFIED folder and arrange them by date, and highlighting the new ones or changing the background color of old ones or whatever you want to do.
If you need a tutorial on php, check out www.phpbuilder.net

459.

Solve : Delay in CSS?

Answer»

Anyone who's really good at css out there?

I just updated my site with a template.  The main page works fine, but when it's the first time I go into the site, the next page will have a "no style" page for a second before the real style comes in and MAKES the site pretty.

Here's my "splash" page:
http://www.slaterhome.com/

And the page that has a bit of delay is the one that comes up when you press the "present" tab:
http://www.slaterhome.com/2007/year2007.html

It keeps happening, even when I had only that page, meaning, only one .css file in the folder.  Any thoughts on how to correct this? :-?I have a cable Internet connection and visited your site for the first time.

Both pages loaded fairly quickly...there was only a short delay on the first page...maybe a second.  The "Present" tab I clicked on loaded the page almost immediately.I also found the site fairly responsive.  Perhaps your host server occasionally seems a little sluggish because, if it's a SHARED server, it's hosting other sites at the same time as yours.

BTW, some nice pictures there. Quote

I have a cable Internet connection and visited your site for the first time.

Both pages loaded fairly quickly...there was only a short delay on the first page...maybe a second.  The "Present" tab I clicked on loaded the page almost immediately.

I have a DSL, I thought it was fast enough :-/  Thank you for checking it.

Quote
I also found the site fairly responsive.  Perhaps your host server occasionally seems a little sluggish because, if it's a shared server, it's hosting other sites at the same time as yours.

BTW, some nice pictures there.

Thanks.  
 I'm still not happy with the way it loads, will have to learn to love it!  Thank you for the feedback.I suspect you'll have a quicker stylesheet load if you place this in your header:

nk rel="stylesheet" href="/slaterhome.css" type="text/css">

rather than this:

YLE type="text/css">import url(slaterhome.css);yle>
Quote
<link rel="stylesheet" href="/slaterhome.css" type="text/css">

The style didn't load at all, just had the white page with the text.  Thanks for the suggestion, though, I'm willing to keep on trying!Looks like your stylesheet isn't in the root folder.  Try this instead:

Quote
Looks like your stylesheet isn't in the root folder.  Try this instead:

<link rel="stylesheet" href="slaterhome.css" type="text/css">

That did it!  Thank you so much!  How MANY more exclamation points can I use?  
The reason it isn't in the root folder is that I plan on changing styles as time goes by - just to keep the site from being too boring.  Again, thank you, Rob.So, do you believe that improved the speed?  I really can't tell. Quote
So, do you believe that improved the speed?  I really can't tell.
It wouldn't improve the OVERALL speed but it gives the browser a chance to cache the stylesheet before rendering the page.

And you're welcome, aslater!And I said..."nobody's perfect"!

Well, in this forum, Rob...you are!!!Oh that's such a relief!
460.

Solve : Server Security and/or User Account setup?

Answer»

Hi there,
I'm trying to set up a friend's website and I was wondering how I could MAKE his portion of the site completely separate from mine (ie, it is accessed when someone goes to his domain name).  I know this includes setting up separate users in Apache (I'm running Apache 2.2.3 for Win32), but I'm not sure how.

I'd also like to make a portion of his site PASSWORD/login protected, but after some research it seems like .htaccess is a bad way to go.  How do I stop users from entering a part of his site without using .htaccess? (and if .htaccess is the best way, how do I do THAT?)

-Thanks
-RockLook up the VirtualServer configuration directive in your Apache manual.

As for restricting access: what exactly do you want to do, and why?  Are you talking about read/write (i.e. FTP) access?Yes.  But only for one account.

Ok, here's the hierarchy of the server.

MY SERVER
-----------
       |
  Sub Site
     |      \
HTTP       Client
     |           \
PW login      FTP Upload

So basically, I need to have my client be able to access the server and upload files, and I need the whole world to be able to access the front page, but I need one page or so to be accessible only by entering the correct password, which would change on a monthly basis.

-Rock

Edit:  SORRY, about the "why": My client is a tutor, and he wants his kids that he's tutoring to be able to login to download help sheets for various classes, but he doesn't want them available to the general public.Well in that case .htaccess/.htpasswd is the SIMPLEST solution.

Start here: http://httpd.apache.org/docs/2.0/programs/htpasswd.html

and here: http://www.javascriptkit.com/howto/htaccess3.shtmlI'll look into it.  Thanks for the links.

461.

Solve : accessing parent window of the modal dialog box ???

Answer»

i want to access the parent window (opener window) from a modal dialog box ....

can't i do that using window.opener from modal dialog box .....

i did it but i failed .... plz help me out ......

one guy from another forum answered me that it can be only done using .....
window.dialogArguments..... but my window.showModalDialog code already written... in many palces .....

how can i do that ......

thanxCan you provide a link to the page in question PLEASE?  There is more than one way to create a modal dialogue box in javascript.sooryy for late response .....

my code is something like this ....

the JS code of parent window....

//Some code
window.showModalDialog(URL);

the JS code of modal dialog window

//Some code ...
here i want to access the parent window without sending the window_ref as dialog_wrgs
here i can't access the parent window using window.opener

here what should i insert code to access the parent window


plz help me out .. i m struggling out for a 10-15 days

thanxxxxxx in advanceThe first thing you need to KNOW is that showModalDialog() is not cross-browser COMPATIBLE, and therefore its use should be avoided.  What you are attempting will not work in Firefox, for example.

That said, you are correct in thinking that this kind of modal dialog box does not automatically have access to the parent window.  You need to pass a reference to the parent like this:

Code: [Select]window.showModalDialog( 'modalwindow.html', window, '');Then in the modal box you can use:

Code: [Select]var parentwin = window.dialogArguments;our client uses the IE so there is no cross browser compatibility checking....

so without sending args from parent window i can't access the parent window anyway .... right.....

OK thanx for ur reply Quote

so without sending args from parent window i can't access the parent window anyway .... right.....
That's certainly my understanding.  But as I said, there are other forms of (cross-browser compatible) modal dialogues that might provide more functionality.thanx for ur details .....

hellooo Rob Pomeroy if u r free then plz ANSWER my question .... thanxx a lot for ur  guidance for a last three dayssss


have a good day Quote
if u r free then plz answer my question
Okay.  Which question is that?actually what i post to this forums .....

have a good dayI think I've answered all the ones I've seen, that I can answer, but let me know if I missed one.  ok thanxxx
462.

Solve : sorting a MySql database created in PHPmyAdmin?

Answer»

Hi,

I have CREATED a very simple DATABASE in PHPMYADMIN and a simple PHP program. How do I multiple sort the database and output the results into my website?Use php to extract the fields you want, and then sort it from there. MySQL is mostly just meant to store data, not do ANYTHING with it.

463.

Solve : special offer on windows based web-hosting...?

Answer»

Hi All
There is a good offer for all the window based SPACE needed person. you can get
1. 100 MB WINDOWS based space
2. 3 GB bandwidth
3. 1 domain registration free with this.
4. 20 Email accounts
5. 5 Ftp account
6. Whm panel  
7. setup free
...there are many services.
This all will cost only 1000 INR for one year.

SERVER is placed at US, california

This offer is valid till 21-April-07.

visit www.services.skillsheaven.com and get the contact detail from there.! thanksCheck the Forum guidelines on advertising...Not him again!  This is the plagiarising bozo that was stealing HOWTOs and FAQs from all over the net and passing them off as his own...

464.

Solve : RSS Feed (XML Help)!!!!!?

Answer»

can some1 HELP me with this problem. i can get my image to display in my rss feed. heres my code.
Code: [SELECT]<?xml version="1.0" encoding="ISO-8859-1"?>
<rss version="2.0">
<channel>
  <title>Amrykid's Feed</title>
  <DESCRIPTION>Amrykid's News Feed, here you will be up to date with all the info about Amrykids apps and other news such as "Windows XP" and more!
  <image><url>http://www.fileden.com/files/2007/9/3/1406769/150px-Windows_Vista_Orb.png"</url></image>
  </description>
  <link>http://amrykid.wetpaint.com</link>
  <item>
    <title>First Episode</title>
    <description>My First Episode is about before we go back to school and Windows Vista. Windows Vista is Microsoft's Latest Operating System with a advanced GUI. Tomorrow is most ppl go back to school and its not fair, RIGHT....? wrong!!!!!! We have to do this becuase if we dont, well be like ed for "ed, edd n eddy".  SEE you next tomorrow!!!! </description>
  <image>
    <url>http://www.fileden.com/files/2007/9/3/1406769/150px-Windows_Vista_Orb.png"</url>
    <width>100</width>
    <height>100</height>
  </image>
    <link>http://alexmr5555.spaces.live.com</link>
  </item>
  <item>
    <title>Feed is under conctruction</title>
    <description>This feed is being worked on but you may still view it for updated news</description>
  </item>
</channel>
</rss>
There's a couple of things I can see wrong. You need to close your tag before starting the image tag. You should also have and with your . And you have a " in your URI.
Code: [Select]<image>
<title>Some title</title>
<url>http://www.fileden.com/files/2007/9/3/1406769/150px-Windows_Vista_Orb.png</url>
<link>http://amrykid.wetpaint.com</link>
</image>A rss validator can be a useful tool when troubleshooting issues with a feed.
http://validator.w3.org/feed/wow deerpark, you sound like your a master at xml!!!!! thank youFar from it
I do have some experience with XML based languages but very little of it is with RSS.

Is the feed working now btw?

465.

Solve : Linking question...?

Answer»

Hi everyone!

I just started HTML Web page design maybe 2 days AGO and i need a little BIT of help.

I know this is a very simple question, but i made 2 pages and i dont know how to link them together.

If you can show me a tutorial on how to do it (or just tell me...) that would be great

Thanksuse this
[highlight]Title of Page[/highlight][/url]

That will allow a link.Thank you Eoin you really helped alot!

466.

Solve : Oracle on Linux with front end on Windows?

Answer» HELLO Geeks

I have a architechtural question here.

We BOUGHT a product that WORKS on Linux platform with Oracle database on it. We how ever have to extend the database with extra tables and PROCEDURES and write a separate bespoke application which access the same database. This linux server is hosted by one company A. Our 4 other windows servers are hosted by another company B.

Our in house team has development expertise only on windows environment and no Linux experience at all.

Based on the above sitiuation (expertise) can any one please help to decide which tools and TECHNOLOGIES should be used to develop the bespoke application.

1.) Can we write a ASP.NET application and host it on server hosted by company A and connect to the Oracle database over internet hosted by company B ?
2.) Write the application in PHP and run it on same Linux box on which Oracle DB is running.
3.) Host another wondows box on the same network as of Linux box hosted by company B and write ASP.NET application ?

Thanks in advance for your help
faiyazSorry for the lack of help here. You might try asking the same question at www.linuxquestions.org/questions/
467.

Solve : any god FREE html tool??

Answer»

Quote

Or ask god...as per your thread title...
But would god really provide a god-free tool?  Seems KINDA counter-productive to me.Is Nvu only for mac? Quote
Check the Software FAQ my friend.
Ad I guess you mean editor.

As you must've meant "And"...

Sorry...couldn't help myself...

How ya doin' Calum?
Quote
Is Nvu only for mac?
No.  Where did you get that idea?  Did you not visit the site?  Nvu works with Windows, Mac, and Linux.
Quote
Quote
Check the Software FAQ my friend.
Ad I guess you mean editor.

As you must've meant "And"...

Sorry...couldn't help myself...

How ya doin' Calum?
Indeed I did, sorry about that.
Lots of spelling mistakes here, I'm tired though so please excuse me.
I'm good thanks anyway, you?
Haven't seen you around here for a while.Calum wrote:
Quote
Indeed I did, sorry about that.
Lots of spelling mistakes here, I'm tired though so please excuse me.
I'm good thanks anyway, you?
Haven't seen you around here for a while.

Well...since my board is near dead...thought I COULD be of use somewhere else.  I held off on making tutorials until I can find the uninterrupted time I need to continue with them.

This is ONE of my favorite forums...and thanks...it's good to be back.  Quote
No.  Where did you get that idea?  Did you not visit the site?  Nvu works with Windows, Mac, and Linux.


Well i cheked the site and the first thing i did was to look at the Screenshots and they where toked from a mac computer (i dont want to read too mutch eng)

Quote
Lots of spelling mistakes here

yeah and at least half of them come from me   Quote
Quote
No.  Where did you get that idea?  Did you not visit the site?  Nvu works with Windows, Mac, and Linux.

Well i cheked the site and the first thing i did was to look at the Screenshots and they where toked from a mac computer (i dont want to read too mutch eng)

Right in the top middle of the home page, in large letters, it says, "The complete Web Authoring SYSTEM for Windows, Mac & Linux."  The first Screenshots page gives no indication whatsoever that "they where toked from a mac computer", or a Windows computer or a Linux computer.  It's just a screenshot of the main Nvu user window.


okey it just looked LIKE mac
i will test it then
thanks for the tip Quote
Quote
Or ask god...as per your thread title...
But would god really provide a god-free tool?  Seems kinda counter-productive to me.

Yes He would...if asked.Nice catch, Patio.  As Elvis would have said: Thank You...Thank You very much.

 Note Tab Light is nice.
468.

Solve : Make a Pure-Flash Website.?

Answer»

1. what programs do i need.
2.how?
3.is it easy?
and 4. thanks in ADVANCE!1. what programs do i need.
  Adobe Flash
2. how?
  I have no clue, sorry. I've only MADE small animations.
3. is it easy?
  I've heard it's easy.
4. thanks in advance!
  You're Welcome!

Yahoo! Click Here.this may also help

http://www.oman3d.com/tutorials/flash/simple_website/

469.

Solve : Scrollbars.?

Answer»

If possible, I'd like to know how to change the colors of the scrollbars on a page (as well as the browser scrollbar) through CSS.  My (X)HTML class is just now getting into CSS, and although I know the basics, there's still much more to be LEARNED.  And unfortunately, our textbook doesn't appear to make any mention of scrollbars.  I've completed my assignment of coding the basic visual structures and now I'd like to add one or two little things just for fun.  Is there a way I can do this and have it validate?

I know we're not supposed to help with homework, but because this code isn't actually PART of my assignment and I won't be graded on it, I figured it'd be alright to ask about it.I presume you're referring to >this KIND of thing<.  It's IE-specific, and not generally supported in other browsers, so personally I'd avoid the technique.  Plus, should a web page REALLY be re-designing the browser used to view it?  I'll leave you to PONDER that philosophical question.

For a cross-browser compatible strategy, you'd need to think about using Flash, or combining javascript with your own styled glyphs to create a kind of pseudo-scrollbar.Head on over to http://www.w3schools.com to see what is supported by which browser.He's back!

Still running the kill, Raptor?Yes! I was just reminded of that. I see the kill got ran on GX2_Man. (Godtheonly..)Thanks for the link, Rob.  That explains how to do what I want, but unfortunately, the codes aren't W3C-valid.  But at least now I know how to do this through CSS.  As for your other suggestions...well, I'm afraid that's just a bit beyond my current scope of knowledge.  Heh.

470.

Solve : flash loads slowly?

Answer»

I've constructed a  flash page.  anyone can view it at
http://www.kickersclub.ca

Thing is, the first time you view it, before it is in ram, the page loads fairly slowly.
I do not think this  is an especially large page,  I will post the SIZE of the SWF file
embedded in the index, when I get home tonight and can be sure. 

SWF file size ASIDE, any advice on how I write this page to load
smoothly?Loads fine for me, a few seconds if that.
How long does it take for you?same here loads like it should load.No problems here as well...maybe 2 - 3 seconds...if.

What type of Internet connection do you use?I find that when I Embed it into Macromedia Dreamweaver that it loads quicker than plan old HTML. I'm noob though. So I dunno really what i'm doing!Loads pretty fast for me as well.

One question for you.   Why did your SET up your flash that other pages (pics, EVENTS....etc.) OPEN in new window?  Seems to me that a flash site will stay on the same page.

471.

Solve : why secure non-secure items ??????

Answer»

what are probable CAUSES behind the secure and non-secure items for a requested page?

plz HELP me out .....The page as a whole is HTTPS secured but is utilising images, for example, from a plain HTTP website.

E.g. the web page is https://www.somebank.com/index.html and within the code uses:

thnaxx POMEROY ......

here i WANT to ask u one more question ..... if the response does not come with in time-out factor then it also happens or not???No, this is not RELATED to time-outs.ok thanxxxI smell homework.ok ... know it then inform me what u gain ...

best of luck

472.

Solve : web-container and servlet-container?????

Answer»

is there any difference between web-container and servlet container as the web-server and application server???

plz HELPPPP.... thanxxxx in advanceIn case ANYONE is waiting for me to ANSWER this question, I haven't got a clue.

But I'm sure Google knows.  one more thing ... i sent U a PRIVATE message .... did u check it out ...

plz respond ... have a good day

473.

Solve : Adobe Photoshop & Optimizing for Web?

Answer»

Hi:

It seems that every time you take Photoshop and save optimize for web, and take it to say dreamweaver or frontpage and load it as a web page it loads one gif at a time and does not look professional.


Any ideas on how I can have gifs load better?    Or do I need to explain myself better?

Go to this website as an EXAMPLE of what I am talking about:

http://www.rebeccalynndavis.com/

Thanks

Gary   Who's hosting your website?
One thing I noticed in your code that COULD be slowing you down is the preloadimages() function. Try taking that out and see if it speeds up the load time.
The other thing that is slowing you down is that your entire website is images. Not only will it take forever to load a page, but it will be a NIGHTMARE for you or anyone else to update the website. Try replacing as much content as you can with text. You also don't need to USE gifs for most of your graphics. Switch them with jpegs and see what happens. jpegs load differently on webpages than gifs do and might fix the problem. Just make sure you don't compress them too much.

474.

Solve : page connection request time out .....?

Answer»

if i request for a page and the server takes much time to respond ..... is there any matter if the response come to the browser with in a certain time then browser will be not be able to take the response .........

m i right .....

plz help me outIt depends.  Internet Explorer's default TIMEOUT, if I remember correctly, is 5 minutes.  So you would need any server-side requests to complete before that timeout.

I think however that you'll find that the average user's timeout is less than five seconds!  how can i come to know from a browser ...... ??

thanxxxxHave a read: http://support.microsoft.com/kb/813827one more question if the response not comitted ... and in the mean time i cross the corresponding browser then what happens???

i mean the response supposed to come on the same browser window....

i think u got my point ... plz help

and one more thing ... good to see u again .... thanxxxx Quote

one more question if the response not comitted ... and in the mean time i cross the corresponding browser then what happens???
I PRESUME you mean "close" rather than "cross"?

This is a client-server transaction, so if either party (the WEB server or the browser) "breaks off transmission" then the conversation is lost.  But any server-side processing may already be complete before a corresponding page is displayed.  If for example, the browser has sent POST/GET variables from a form, and then the browser closes just after hitting "submit", the server may well finish acting on those variables.

But web based communications are USUALLY transactional rather than real-time, so I wouldn't particularly think that this should affect your web design that much.ok ... thanx for ur reply....

i UNDERSTAND ur point of view but if the server can not process before the browser closes
then what happens

one more thing ... i don't understand
But web based communications are usually transactional rather than real-time what u write to me

plz expalin one more time in details .....

one good news ... yesterday night i came to know that the browser set a http-header keep-alive:300 before sending a request..... the default time out

a good help i always expect from u .. have a nice dayok one more thing i want tot know .....

i think that the http headers are for server side scripting usage.That means the server every time checks whether the processing within the time....if not then server disconnects

m i right??

can't i change this value programatically....

plz help ....  thanxxx in advance
475.

Solve : Java Applets?

Answer»

can SOME1 point me in to the RIGHT direction of a WEBSITE that has a TUTORIAL for Java applets?Yahoo!

476.

Solve : php league table?

Answer»

Hi,

I wish to create and update a simple league table myself without the need to create a complex MYSQL database.  My needs are for me to be the ADMINISTRATOR only and no external inputs are needed.

What are my options to create and maintain this table/dbase?

THANKSI have no IDEA what a league table is. Can you GIVE more information about what you need?

477.

Solve : AJAX request and Status bar?

Answer»

if i MAKE a request through AJAX ... is it seen in the STATUS bar of the browser ?

plz help .... thanxxx in advanceNo.

478.

Solve : Need help making an "Emailable" link to my website?

Answer»

What I need to do, is be able to email customers my website, with them SEEING only a clickable link that says "CHUCK BERGMAN PAINTING & PRESSURE WASHING'S WEBSITE"
This is what I have=
 
Visit CHUCK BERGMAN PAINTING & PRESSURE WASHING'S website!

 
but it won't WORK in an email to anyone?
Can you help?
Thanks
Chuck

{MODIFIED POST-- I SEE that even posted here, the http://www.freewebs.com/pressurecleaningbychuckbergman// -- still shows up and it's not a total clickable link that says "CHUCK BERGMAN PAINTING & PRESSURE WASHING'S WEBSITE"}On a forum, you have to use [ url = http://link.com ] This is the website [ / url ] (minus the spaces) for it to show up how you want.

For an email, it all DEPENDS on how the other person has their email set up. If they have it set up to work with html tags, then your example will work. Otherwise you'll just have to send the entire link so they can copy it into a browser.

479.

Solve : Center a Layer?

Answer»

I have a site that is built in layers. There are two main layers (Layer 1 & Layer 3). Inside each layer the remaining layers are NESTED. What i need to do is Center layer 1 & 3 Inside the browser no MATTER what the resolution. I currently have them set at absolute positions but i need them centered and have not a clue how. Below is the code for Layer 1 & 3 RESPECTIVELY.








I am using Expression 2007 if that makes any difference

Thanks,
     Chris




You could use a dynamic SCRIPT to check the size of the window and then update the positioning of each layer. You'll need to create a JAVASCRIPT function do it.
How's your javascript skills?non existantI'm not sure how to do it without javascript. Sorry.
Find yourself some tutorials on javascript. They will prove to be useful as a website admin.

480.

Solve : League Table Scripts?

Answer»

I am looking for a script which will allow me to create and update a football league table, ideally from FIXTURE results?  Preferably I would like the script to be fully custom built.

I would appreciate a STEER on this subject.

Many thanksHow's your web programming skills? The best way to get a fully custom built app is to build it yourself. PHP would probably be a good way to go. Maybe cgi or perl.
Thanks for the RESPONSE, I am keen to LEARN PHP & MySQL, but am a complete novice, the last programming I did was in Pascal!  I assume I need a database to control this? Or can I simply manipulate lists based on pre-determined logic?

I need the following control; input fixture results which will assign 3 points for a win, 1 for a draw and 0 for a loss.  The result of these fixtures will be to allocate points on a table which will change sequence based on the most points accrued.

I see the variables as Position, change in position(up, remain, down), Team, Played, Won, Draw, Loss, Goals For, Goals Against, Goal Difference(GA-GF), Points.

This table needs to be customisable and needs to look something like this: http://www.skysports.com/football/league/0,19540,11660,00.html

I appreciate any further help that you give.What does "fixture results" mean? 

Are you talking about major league teams, college teams, high school teams, local/youth leagues, ... or what?In 'Fixture Results' I mean soccer fixture results i.e Arsenal 1 - Man Utd 4, the variables (Arsenal & Man Utd) will be held in a table (the league table), where the teams are held will determine the position in that table.

481.

Solve : html button help?

Answer»

ok so every time i try to edit my button to add u know writing to it makes the button blurry

I know how to get my button to show up and how to make the button clickable
But is there a way i can write the html to put a word on the button picture without actually editing the button itself like in paint or something like that I think not.  So, let's focus on your technique for editing the button image and adding text.  You should be able to do that without making it "blurry".  Tell us more about your technique.  What software were you using?  Explain the exact procedure.  At what point does it blur?  Is the image in .jpg format or something else?  Quote from: soybean on July 16, 2007, 11:20:58 AM

I think not.  So, let's focus on your technique for editing the button image and adding text.  You should be able to do that without making it "blurry".  Tell us more about your technique.  What software were you using?  Explain the exact procedure.  At what point does it blur?  Is the image in .jpg format or something else? 

dont laugh i am just using paintbrush as i dont know what else to use to edit my buttons
i am very new to all this and just trying to figure it all out

its really a pain as i am sure you can imagine is there a better PROGRAM or something i can use Quote from: bnorris10 on July 16, 2007, 11:25:41 AM

dont laugh i am just using paintbrush ...
Do you mean Paint?  If so, have you tried using the Text tool?  CLICK on the icon appearing as letter A.  If opens a box in which you enter your text.  Right click in the text box and select Text Toolbar for a range of options for CONTROLLING font.

After entering your text, save the image, using a different name if you want to preserve your ORIGINAL so that you can always go back to it.are you using the button tag? or something else?

This is a button
You can edit the attributes of of the button with css
Button with image
Is that what you're looking for?As I understand it, her question is how to put text on an image, without affecting image quality.  CSS would not do that.  Besides, I don't think she's anywhere near the point of using CSS.yeah cause i got some button pics that i will be using for my buttons i just need to add some text on to it so they know what the button is for ok so i got it working had someone else just edit them for me

i am using a template and setting it up on bravenet for right now til i get it more organized

here is my page
http://everythingfree4you.com/

and what i want to figure out now is how in the white section underneath where it says everythingfree4you.com on the right side how would i set it up so i could put like 120 x 60 banners going down the page and then leave the middle white part for where i right in you should try this website www.w3schools.com and click on the html section.
482.

Solve : need code..?

Answer»
hey
i need a html code that can mask a variable , like if the variable was the WORD "test" .. the result im looking for , is all the words that say "test" on the page WOULD be masked.. or layerd to read "ok"you would have to USE a scripting language like javascript or PHP in order to do that, not just HTML.
you'll need to parse the entire text of the page and put it into an array and search for the string "test" and for each INSTANCE that it occurs, replace it with "ok".
You can probably find some scripts that do that on just about any javascript or php site.
483.

Solve : Converting HTML script in to readable text on a website?

Answer»   Please. help me!   TELL me how to convert a form script in "note book"  in to a readable text in a website. I've been told that it's a simple "click" somewhere but where?
I'm running XP Home on an HP Pavillion

Test av Formmail!
http://www.din-domän.se/cgi-bin/FormMail.pl">
[email protected]än.se">HERE I'M TYPING "[email protected]"
HERE I'M TYPING "RESULTS"
http://www.din-domän.se/nysida.html">HERE I'M TYPING "globaltrader/results.html"
Namn:here i'm typing "first name"Efternamn:Here I'm typing "last name"Mail:
Kommentar: Here I'm typing " comments"

HAVE I DONE EVERYTHING RIGHT? PROBABLY NOT, BUT I WOULD LIKE SOMEONE TO TEACH ME SHORTLY HOW TO DO. WOULD YOU MIND?



What do you mean by "note book"?  What software are you using to develop your site? Quote from: soybean on August 19, 2007, 05:05:23 PM
What do you mean by "note book"?  What software are you using to develop your site?
Hello, by "note book" I mean the simple word processor included in every PC at delivery.
I'm using Front Page 2000 and a an animating program called Xara. How about getting your terminolgy straight?  "note book" does not exist in Windows systems.  Notepad does.  That's right Note Pad is it.No, still wrong.  It's not "Note Pad"; it's Notepad.  That's one word, with one capital letter.    OK, I've got it.   Notepad Quote from: Bridgeteacher on August 20, 2007, 08:05:03 AM
I'm using Front Page 2000 ....
With a web page window open in Normal VIEW, click on the Insert menu, select Advanced, select HTML, and paste your code into the HTML Markup box. Now, go to the Preview pane.  See your form?
484.

Solve : Trying to decide on a web hosting site?

Answer»

I run a sports MESSAGE board site and am wanting to LESSEN my costs a bit. I pay 7 bucks a month for ad free and url snap 13 bucks a year for my domain. I think I can do better but am still hesitant about pulling the trigger. Some sites offer a free domain and have said that I could transfer mine to them but would it be free? Even if they charge and offer it at a lower price and host my site for 7 bucks or less it would seem to still benefit me? Any input?
I've used lunarpages in the past. They give you a free domain for life (restrictions probably apply) andits about $7 a month. Free setup too. I've been really impressed with their offerings.
www.lunarpages.com
Could you show your site address? What led you to pick this company over others?I don't have a site anymore. But they have anything that I would've ever needed.
350GB storage/3.5TB transfer
unlimited EMAILS, subdomains, parked domains, MySQL Databases, FTP Accounts, etc.
check out their basic hosting plan: http://www.lunarpages.com/basic-hosting/
or their business hosting plan: http://www.lunarpages.com/business-hosting/
Thanks for the info, I had already checked them out. There are several with rhe same credentials and it's hard to decide.

http://www.hosting-review-center.com/webhosting/hosting-reviews.aspx?ad=2yahoo_static&OVRAW=web%20hosting%20free%20domain&OVKEY=web%20hosting%20free%20domain&OVMTC=standard&OVADID=5827345522&OVKWID=50067023022I'd be leery of any hosting service that offers free domain registration through them.  You'd better be sure you won't have problems transferring your domain if you are not satisfied with their hosting service later and you want to switch to another hosting service.

I suggest using GoDaddy.com for your domain registration.  Their fee for most domains is $8.95/yr.  And, you can lower you monthly hosting cost a bit by switching to another service.  I'll suggest http://www.totalchoicehosting.com/; their Starter plan is just $4/mo.  You can easily INSTALL forum software on your site VIA their cPanel.  They have no setup fee and you can pay month-by-month.Thanks soybean, I'll give them a look.

485.

Solve : The Icon that appears in the url window?

Answer»

Hey EVERY ONE. I have a little issue. How can I put my little icon next to my url .com next to the url BOX. im not sure how to do this and I am also having a hard TIME explaining this, srry.

Please help

Thanks
Mikeyeah I don't get what you're trying to do.
you could maybe by telling us what browser you're using. Also a SCREENSHOT might be a good idea. you can upload the image to imageshack.us or a similar service.It's called a favicon.

See if this helps you...
http://www.webweaver.nu/html-tips/favicon.shtmlhere is an image that I am talking about, thanks

[Saving disk space -  old attachment deleted by admin]OK, CBMatt gave you a link with an explanation of how to do it.  So, what was the point of your last post?  I was not thinking, sorry

486.

Solve : How do I change two frames with one link??

Answer»

I have an historical website, part of which is about a trial in Britain in the 18th century. The prosecution presented 9 witness, and this part of the trial was reported by TWO sources, the "official" SOURCE, and an independant source. What I want site visitors to be able to do, is compare the testimony of each witness from the two sources side by side.
I thought it would be simple; a frame at the top with a link for each witness, and two frames below, one with the "official" VERSION, and one with the "published" version; but I don't know how to change both frames with one link. Can someone tell me how to do this?
I'm not married to frames, if there is a better way to do it (without getting too complicated) I'd be glad to hear that, too.
Thanks.seems LIKE a SCRIPT with the location object would work.
maybe something like this:


function changeframes() {
  document.all.frame1.location="http://yahoo.com";
  document.all.frame2.location="http://google.com";
}


--------------------

click[/url]

Please note that I haven't tested this at all. You may have to do a bit of tweaking/researching to get it right.

487.

Solve : loading flash question?

Answer»

My HTML pages w/ embedded flash always load up nicely, except that my flash animations
always seem to have a fine, nearly transparent border around them.  the border dissappears as soon as you click the ANIMATION, and then everything is NORMAL.  This is bothering me; It seems as though the animation just needs to be clicked on, to be active.  It's not a BIG deal, really, it's just not "exactly" what I want the site to do.  Anyone know how I embed a flash object so it is does not need to be clicked ?
Go here for an easy fix:

http://www.ediy.co.nz/internet-explorer-flash-applet-activation-fix-xidc19237.html

I use the script on the following page of my website and it works like a CHARM:

http://www.saviour-pc.com/telecom.html

I hope you've found this script useful...

488.

Solve : How to create a PW protected FTP site??

Answer»

I'm running on Windows XP SP2.
I would like to share some folders with you can access.
But not share them true windows.
I would like to create a FTP site witch is PW protected.
How can I do this?
Thanks in advance

Jonas Well first of all you'll need an ftp SERVER.
XP PRO got one built in so that might be worth checking out.
http://www.pcstats.com/articleview.cfm?articleid=1491&page=1You say XP got a FTP sever build in but http://www.pcstats.com/articleview.cfm?articleid=1491&page=1 Say that you have to use Serv-U.
Can I use the build in?
If I try to connect i get the message:
Code: [Select]The servername or adress could not be resolved.Or am I typing it wrong?
I'm just typing the server NAME in windows explorer.

Jonas Serv-U is mentioned as a solution to people who don't have XP pro. But Serv-U is also a possibility you can try if you don't want to install IIS.

You have to make sure ftp access is allowed on any firewall you have installed.
Also for testing try to connect to the ftp using ftp://127.0.0.1
My firewall is setup properly.
When I try to connect to the ftp you gave me that I'm prompet for user and PW But they don't work.
Or isn't this my ftp site? (It should be as I'm pinging myself.)

Jonas I don't have a domain so what should I type at the end?

Jonas Hmm okay the built in ftp server stinks out loud. I admit I have never tried it out before now, I just assumed that MS would be able to deliver a SIMPLE, no frills FTP server... I was wrong. I suggest you go with Serv-U instead. Sorry for leading you down a wrong track there. Well I try but this is what I got:

I guess I should stop the FTP sever of Microsoft but how?? (I tried deleting it.)

Jonas LOL this just isn't my day for giving out advice. I just tried to install it and I got the same error msg.
According to this article it's a problem related to XP SP2. You can download a fix that should resolve the issue, it did for me.
http://support.microsoft.com/kb/935448/en-us
(Note in my defense I have used Serv-U before and it worked just fine, but I guess it must have been before SP2.)Ok thanks it worked!
At the site they say its free but it LOOKS like I dloaded a trail version.
Is the free version still availeble?

Jonas You get a 30 day trial of the full version then it reverts back to what they call the personal version. Basically it means you can only have 5 users and 2 concurrent connections on your site.
http://www.serv-u.com/versions.asp

I don't have experience with any other free ftp servers but there are plenty around if you find out you don't like Serv-U.

Gene6 FTP Server is the FTP Server I know best, but it isn't free.I can't seem to find a way to connect to the server.
I read the site Twice but I can't find any example of how you create a FTP site name and connect to it.

Jonas Well the easiest way is by using your IP. As I've already mentioned you can use 127.0.0.1 to test. Does that work?

If you want it to be accessible from outside your network you need to setup the router to forward port 21. Then you can access it by using your public IP. You can check out a site like http://whatismyip.com/ to find your public IP.

This site got a great tool you can use to test whether your FTP server is accessible.
http://www.g6ftpserver.com/en/ftptestThat is what I was looking for thanks!

Jonas

489.

Solve : Website for Web Page Design?

Answer»

Dear Users
Any good and complete WEBSITE for WEB page design. I've tried google but all I want to say that if any one knows a more better siteOk im not sure what your look for there extreme but im gonna asumme you want a HTML editor or a sub-domain both links are below :


http://www.nvu.com/   <<< html editor ( free download)

and

http://www.freehyperspace.com <<< free sub-domain  This is a very good ONLINE resource on HTML: http://www.w3schools.com/html/You mean LIKE a template?
Try out www.oswd.org

490.

Solve : The White Line is Making Me Crazy?

Answer» NOOB question

http://www.bellydanceorangecounty.com/classes.htm

The page has a table WRITTEN in Word, that when inserted into my html editor dislays a white line along the right SIDE. Can anyone help me get rid of it?

Thank you!I don't SEE a white line.... what browser are you USING?
I see no white line, either.  But, why create the table in Word and then copy it to your HTML editor?  Why not create it directly in your HTML editor?  What are you using for an HTML editor?
491.

Solve : Free Webhost?

Answer»

.co.uk I dont understand those domains. It would be BETTER to just have .uk instead of .co.uk
anyone care to explain?

Anyways, if you are looking for a paid provider, I use Hostgator. They have good instant online chat support, which is useful.

Well I CURRENTLY don't have the funds for a paid host, so for now I will have to stick to having a FREE domain. I just have to choose which one... Quote from: Comp Guy on August 01, 2007, 09:41:01 AM

Well I currently don't have the funds for a paid host, so for now I will have to stick to having a free domain. I just have to choose which one...
I still suggest MBHosting, that COMBINED with a www.co.nr domain works very well. If you can get a static IP address from your isp and have good bandwidth, take a look at xampp. You can host all your files on your own computer. (Just don't let your computer turn off) Then pay $10/year for a domain name.
492.

Solve : some questions?

Answer»

Quote

which willlower down the quality and i hate dialup users

You hate dial up users? I am currently using Dial Up.
If you want us to help you, stop dissing us.

Have you even LOOKED at the links we've posted?
We all think that building a Flash site is BAD without good knowledge on what you're doing and that there is no point. You haven't told us what you're putting on the site.

One more thing you may want to consider, check your writing before you POST... Quote from: lordoftheplat on July 31, 2007, 03:59:08 AM
For images on websites, JPG/jpeg will usually provide images in much smaller file size than .png, something to consider for any dialup users visiting your site and consumption of your monthly bandwidth allowance from your web HOSTING service.

which willlower down the quality and i hate dialup users
Actually, png files are bigger than they need to be. You can adjust the jpg quality with most graphics programs so that you cannot notice any distortion whatsoever. I use internet with high bandwidth, and I hate it when webpages and flashpages take more than about 15 seconds to load. If I haven't been to the site before, I will usually just close it immediately. You might want to take that into consideration before you publish large png graphics onto your large capacity flash website.
You may even want to consider a splash page giving the user the option of an html or flash site. Or maybe just a preview of the flash site so they know to stick around.

Quote from: lordoftheplat on July 31, 2007, 03:59:08 AM
god none of u know ANYTHING ABOUT QUALITY! Angry
For some reason, I seriously doubt that you yourself know very little about quality. Especially with how angry you get when people try to give any advice.
493.

Solve : Why can't i type a javascript url in address bar??

Answer»

Why?

The following url for example(it is javascript)

Code: [Select][color=#cc0000]javascript:downloadNow('http://software-files.DOWNLOAD.com/sd/Uhj4-pkrA-TCZY_XzkNH7YDL7HEFdJaOjgyDxa1w2-WdhcVjwmce4oggyom3kfMI22h-aYMLcjrgGrKTW2wb7ZgB-0c6CVpy/software/10433516/10327521/3/npp.3.2.Installer.exe?lop=LINK&ptype=3000&ontid=2352&siteId=4&edId=3&pid=10433516&psid=10327521','http://dw.com.com/redir?pid=10433516&merid=6263863&mfgid=6263863&ltype=dl_dlnow&lop=link&edId=3&siteId=4&oId=3040-2352_4-10433516&ontId=2352_4&destUrl=http://www.download.com%2F3001-2352_4-10433516.html','0')[/color]
and it does not open anything.


it is a the link "download now" at this page

if  i REMOVE javascript:downloadNow and also the brackets then alsoit is not working.Maybe I misunderstood the question. However when I visit the download.com web page I have no problems opening the link. However, if you're using Firefox or another tabbed browsing browser, if you attempt to open this link in a tab it will not work because it's using JavaScript to open the link.

If you're trying to create a link on a separate page by using this source code it's likely not working because there is another portion of the JavaScript code elsewhere in the code that is needed for the link to work.

p.s. I added the code link to your message so it didn't scroll all the WAY to the right. Ok Admin.

Thanks for The Reply.

494.

Solve : cursor to password box?

Answer»

I have a special access AREA on my website which requires a password. So when one clicks the link for the area they get directed to a page with a passowrd box.
1) At the moment, the cursor is not active in the box so you have to click on it. How can the cursor be told to go there automatically?
2) how can you make the password insensitive to case or is that a bad idea?This would work in most browsers. In the BODY tag, do:



And then give the INPUT field the corresponding id:



Case insensitivity means that passwords would be easier to crack by brute force.  It can be done, using a javasacript function to convert the password to lower case, for example, but is not advisable.Thanks Robpomeroy. I'll give it a try. You sure SEEM to get around in this forum!

495.

Solve : Picture to dll?

Answer»

Because my site has hundred of pictures (and that starts to hate me) I wanted a solution to have just one file. Then I saw in windows the following link res://C:\WINDOWS\system32\shdoclc.dll/search.gif

this link displayed the PICTURE, but it CAME out a dll file. So my question is: how do I put a lot of pictures to ONE .dll files. Do I need a program for it or do I need to program it by myselfHow are you with PHP, Blackberry? Quote

How are you with PHP, Blackberry?
quite good, why?Well you can do this quite easily with php.  Two options.

1. File-based

Pass the name of the file, or simply an index to a php script.  Eg: graphicslibrary.php?id=12.  Use the script to read in the IMAGE from your filesystem (doesn't even need to be in your webroot) and output it raw to the browser.  See the image functions.

2. Database-based

Store your images in a database (e.g. MySQL).  Pass the image id in a similar way to a php script.  This time the script grabs the image from the database, and then sends it raw to the browser.

If you learn first about sending HTTP headers, you'll find that this is a fairly useful and powerful thing to be able to do.  For example, on one of my websites, I have a php script which automatically GENERATES image-based subtitles, with a gradient background and a drop shadow.  All I have to do is: .  No need to spend ages creating lots of fiddly images.
496.

Solve : Using enter on HTML form doesn't submit variables?

Answer»

Here's ONE that's got me foxed -ANYONE know the reason for this?  I've noticed on several pretty ordinary forms I've designed that if you hit 'Enter' rather than clicking on the submit button, none of the POST VARIABLES are handed on.  There's honestly nothing unusual about the forms.  This ONLY happens with IE (I'm using IE6 on WinXPSP2).  Firefox behaves properly.

Any clues?This http://ppewww.ph.gla.ac.uk/~flavell/www/formquestion.html has some interesting things to say on the topic.Brilliant link, thank you!  Looks like what is happening is that the form is being submitted, but without the name/value pair from my submit button - and those are the very things I use to check whether or not the form has been submitted.  Doh!  Not logical Captain.When I first saw your post (a good while back) I had nothing to offer. Forms usually post their values, and I couldn't think of any reason why they wouldn't, APART from a browser bug.

..but you're talking about the name/value on the submit button. I was surprised too, when I first found out about this. Often, the name/value is only sent when the button is directly clicked on. Ever since, I have considered the submit button far too unreliable for such things, and use a hidden field instead.This old DOG is not too old to learn a new trick.

497.

Solve : Can't click inside textbox?

Answer»

I put this textbox inside a div and gave it a left margin of 75%, but now its difficult to click inside the textbox, any thoughts on what is causing this?

Here is the page: http://216.128.22.124/web/support/default.aspx

Thanks YakovLooks okay to me.  What browser are you using?When I use IE I can barely click on the top of the search textbox (in top left) when I use firefox the box arrow and button appear but all don't work (I can't click on/in them)?

I've been befuddled by this for a couple of days now, any insight is greatly appreciated!!

Thanks YakovLooks like the problem is caused by the javascript menus you're using.  The menu is layered above the text box, so the text box cannot take the focus even when the menu elements are hidden.  You can tab to the text box but not click on it.  Why not try CSS dropdown menus instead?  >See here<.YOU ARE RIGHT!!!!  I dropped the box below the drop downs and now it gets the focus, wow!!

I went to the CSS play, right now most of the dropdown is CSS, theirs is 100% CSS but it doesn't SEEM to pass validation, is that the drop down or their page (for some other reason)??

Thanks Again!!

Yakov

P.S. what TIME is it for you?? Quote

I went to the CSS play, right now most of the dropdown is CSS, theirs is 100% CSS but it doesn't seem to pass validation, is that the drop down or their page (for some other reason)??
I really wouldn't worry about the validation issue, unless you have a customer who particularly insists on it (unlikely).  It'll be the whole CSS/HTML that fails to validate, but it should still be displayed correctly in a wide range of browsers.

Quote
P.S. what time is it for you??
It's currently 11:45am here in the UK.Great!!  The CSS Play seems to be the only pure CSS drop down menu out there.

Do you know if IE 7 is going to support :hover for UL?

Thanks Again,

Yakov - I pretty new to this field the UK seems to have a lot of HTML proficieny...
Quote
Great!!  The CSS Play seems to be the only pure CSS drop down menu out there.
Stu Nicholls (the author of CSS Play) is very impressive.  I'm not sure he's the only person doing drop-down CSS menus, but I think he was one of the first.  What he does with CSS blows my mind.

Quote
Do you know if IE 7 is going to support :hover for UL?
I haven't seen the white paper or any technical specifications, and to be honest I really couldn't be bothered to read them.  But Microsoft IS CLAIMING that it will be meeting more standards with this version of IE.  So yes, it SHOULD support the hover property.I'm on my way...

Thanks Again, Yakov
498.

Solve : HTML video question?

Answer»

I am very new to this and was wondering if there is some kind of LIST of windows media player HTML commands. What I am trying to do is this: I have two VIDEOS that start up on my page when it is opened. I would like one to stop and timeout for the length of time of the other video thus when the first video is done the second will begin without the user having to do anything. If more info is needed please let me know. Thanks in advance for any help.
jcYou would need some special kind of plugin (i.e. ActiveX) to do this, and it would not be guaranteed to work on all browsers.  Flash is the way to go, or merge the two video files.  What kind of file are they?One is a windows media file the other is some kind of musical wav file linked from hosting web sights. What about some kind of DELAY before the command. If I could set 30sec or so the other file will have completed and then this music file would start.
jcYou can certainly do this kind of thing using javascript, but there are some problems.  Firstly, you do not know how long it will take the media files to download; everyone's connection speed is different.  Secondly, this kind of javascript may well be DISABLED in the user's browser.  HTML is not really for this; HTML is about layout, it is not about time sequencing and animation.  That is why Flash (and other similar plugins) were CREATED.  In your case, Flash is probably the way to go.

499.

Solve : Bar charts on a WEB page using a SQL2000 dbase?

Answer»

I'm trying to FIND a script or a SET of scripts that will help me in creating BAR charts and doing QUERIES from a SQL2000 DATABASE. any thoughts?What language are you using to access the database dynamically?  PHP or Perl?..or JScript, or VBScript ?

vbsciptRats.  Can't help you there!

500.

Solve : What do I need to learn to begin doing web design??

Answer»

Hi, I WANT to get into web DESIGN but I have no idea were where to start. I would like to teach myself, but like i have already said I have know idea where where to start. Do I have to start by learning html first or something else, or can i just get a program like Dream Weaver and learn that? What do you guys think? What program should I get and what should I study first? Thanks!!
Personally, i found learning html using notepad++ a benefit, before using Dreamweaver, because once you have a basic knowledge of html you can understand what Dreamwaver is doing and be able to be more precise in your web design.
What have you already tried?
Have you seen this?
http://www.100best-free-web-space.com/
I do not endorse any of these. This is for information. Some of these will offer you a free web site and simple toots to build and manage your site.

If you are willing to pay some money, try Netfirms.
http://www.netfirms.com/
Recommended by intelligent people.
Many websites offer lessons on web design. Just search on the net.
Also, there are a lot of BOOKS, but don't take one which is too old.Thankyou for all the replies so so far, but I just need to know one last thing from you guys. I have decided I want to learn html first because I was told it is quite easy to learn. However, there seems to be an awful lot of html tags and other things for me to try and remember from what i have been looking at so far. So could someone tell me if this is the right way to go about learning html, by trying to memorise it all? Or should I just be aware of what it does and copy and PASTE parts? I am totally stumped and would appreciacte some more help. Thankyou!! You have answered your own question. Either way you will learn. Here is a tool that may help you.
http://www.seamonkey-project.org/
It is a browser like to old Netscape. It is a simple 3-in-1 tool. You can view a page written in HTML either as source editor or the WYSIWYG editor. Or as how it will look is most browsers. I like it for making a quick page and doing a few quick modes to get what I want.
There are only about 70 ish html tags and i dont think you will use them all at the beginning stage.

Why dont you just start learning it and, erm..........learn it as you go along. Would you start reading a book by memorizing all the words in the dictionary first? No, as you come to a word then you learn it, as you go along.

Alot of html can be copy and paste. I recommend learning at w3schools.com

Remember to always check your creations for compliance with the w3c validator tool I'll throw my $.02 worth in:

As you're surfing the 'net and you come across a website that you like, or if a site displays something you're interested in, look at the code!

Simply right-click on a page, and in the context menu click 'View Source' (if you're using IE) or 'View Page Source' (if using Firefox) - you will then be presented with a separate browser page showing all of the tricks used by the website's author.

Great way to learn, because you can correlate what you see with how it's written.