-
Posts
14,780 -
Joined
-
Last visited
-
Days Won
43
Everything posted by .josh
-
Mostly it's a numbers game. We aren't opposed to breaking xyz out into its own (sub) forum but if we only get like 1 question a month+ on it, there's no point in doing so. If anything, the forums are due for some spring cleaning; we've got a few that used to get enough traffic to warrant being separated, but no longer.
-
You took the Zend Cert, didn't you? Surely you remember what types of questions were on it? But even so, surely you know what type of problems your minions face at the job, so maybe coming up with some questions tailored more towards what y'all face in the job would be more prudent? In any case, you could have written your own set of questions in the time it took you to write that post. Just sayin'..
-
You didn't post any code, explain what you mean by "doesn't work" and your links are 404's. Not sure how you expect us to help...
-
I remember at one point in time they did offer a practice exam without having to pay for the exam. It was short, like 10 or 15 questions. It wasn't so much a practice exam as a way to get a feel for your level so you can better decide what classes/certs to go for. But I haven't been there in a loong time so I dunno what happened with it.
-
The 2nd method does work. I think your issue is somewhere else.
-
Are you requesting an OOP Tutorial? We do have a multi-part "OO PHP" Tutorial, as well as a multi-part "Design Patterns" tutorial. If you have read those and still don't understand OOP, perhaps you can be more specific about what you don't understand? Feel free to post asking questions (but not in this forum; go to the Application Design forum)
-
but for the sake of answering the original question, we have a sticky in this forum addressing this. Good practice, looking at stickies before posting. ereg and "deprecated" error
-
<form name="htmlform" enctype="multipart/form-data" method="post" action="base_submit_form.php" onsubmit="return validateForm(this);" onreset="return confirm('Are you sure that you want to reset this form?');"> <label for="submit_username">Username (max length 15): </label> <input type="text" name="submit_username" maxlength="15" size="30"><br /> <br /> Number of Each Rooms:<br /> <input type="number" name="livingrooms" min="0" max="10" maxlength="2" size="1">Living Rooms<br /> <input type="number" name="diningrooms" min="0" max="10" maxlength="2" size="1">Dining Rooms<br /> <input type="number" name="kitchens" min="0" max="10" maxlength="2" size="1">Kitchens<br /> <input type="number" name="bedrooms" min="0" max="10" maxlength="2" size="1">Bedrooms<br /> <input type="submit" value="Submit"> <input type="reset" value="Reset!"> </form> <script type='text/javascript'> function validateForm(formElement) { /* validate username */ var username = formElement.elements['submit_username']; if( username.value == "" ) { alert( "Please Enter a Username." ); username.focus(); return false; } /* validate number of rooms */ var rooms = ['livingrooms','diningrooms','kitchens','bedrooms']; var roomElements = formElement.elements; var total = 0; for (var r=0,rl=rooms.length;r<rl;r++) { total += +roomElements[rooms[r]].value; } if (total>=0 && total<=12) { return true; } else { alert('Total amount of rooms must be between 0 and 12'); return false; } } </script> Some notes about the code you already had: You misspelled your bedrooms input field (you had 'beedrooms' not 'bedrooms'). Well I assume that's a typo so I changed it You were passing a reference this to your function but weren't actually making use of it, so I altered your username logic to use it Your username input field had a required attribute in it. This is a built-in way to make sure the input field is not empty and is fine..except that you turn around and attempt to validate it in your function. Well when you have both, your custom error msg alert will never execute, because the required attribute will be evaluated first. So the only way it will even make it to your function is if it's already filled out, so your condition for username will never evaluate true. So to make a long story short, pick one or the other. I updated the code to remove the required attribute under the assumption that you wanted a custom validation and error msg.
-
Okay so yeah..you have the preset value in your form..but that doesn't stop the user from changing the value in the form so that it submits a different value. It is ridiculously easy to do this sort of thing, and people do it all the time. You should NEVER trust data coming from a form (or any request). You should always validate and scrub the data you receive, and you should always do this server-side. Do NOT do it client-side (javascript), because a user can just disable javascript or else alter it, same as the form. Right, and this is why I said you should take the time to look into and understand what is returned from a query. Your original condition looked like you expected a return value of number of rows returned, but that is not what is returned from a query. Well, it is ONE thing that is returned, but it is nested within a resource object. A SELECT query will always return either a resource object (if the query was successful, even if no rows were selected), or FALSE (the query failed - e.g. the query syntax was wrong). In other words, a select query is still executed successfully even if no rows were actually selected, so you will get a resource object returned. As shown in my example, $query_quiz->num_rows is the property that contains the number of rows returned from the query. If no rows were actually selected (user got 0 answers right), $query_quiz->num_rows will be 0. Okay well if you are basically just wanting to echo out an input field and it's the input field no matter what the score is, only difference is the value, then yeah, you don't need a switch with 35 cases in it.. you don't even need the array. You can just do like the 2nd output example I gave, Example of hidden input: echo "<input type='hidden' name='someName' value='$total' />";
-
Okay so firstly, let's talk about query syntax. You are using a variable inside single quotes. Variables do not get parsed inside single quotes, so it's comparing the literal string '$answer' to 'answer', not the value of $answer. So you either need to use double quotes or else break out of the quotes and use string concatenation. 2nd, your query syntax is wrong. You should be using a WHERE clause. Normally it would be "..WHERE answer='$answer'" but that brings me to the next point: you really don't need to be querying your db 35 times (once for each question). Instead, you should make a single query that either selects all of the data, or else just the relevant data. In general, only selecting the relevant data is more efficient, Also, you didn't do any kind of sanitation of the posted values, which makes your script vulnerable to sql injection attacks. I will include some basic sanitation in the script below, but you should change it to more explicitly check for expected values and reject them (do not use them in the query) if they do not match the expected format. Better yet, look into prepared statements (not going to show below). 3rd, your condition to check if the query was successful is a bit funky but I guess technically works...basically for SELECT queries, you will either get an object returned, of FALSE. You will never get -1 returned, but 0 does evaluate to false so technically this works, but you should take the time to understand what is returned and use proper conditions. 4th, I'm not sure what your goal is with that switch statement, but it almost certainly could be refactored to be more efficient. For example, if you simply wanted to display a custom message for how many questions you got right, you could just use an array and point to the array index that corresponds to how many questions were answered right. If this is not quite what you're going for, then you'll have to provide more details on this, but taking all of these points into account, this is what the code should look like: <?php // score.php $validate = new mysqli('localhost', 'admin', 'password', 'DA'); if(!$validate){ die('A database connection problem occured.'); } // here is where you should do some sanitation of the posted answers // just a basic escape function; ideally you should explicitly check for expected // formats. Also, you should throw in some logic to only assign the answers // to $answers array. The easy way to do this would be to namespace your answers // form elements. The harder way would be to add a condition in this loop to // evaluate $k, which is the name of the form element. $answers = array(); foreach ($_POST as $k => $v) { $answers[] = $validate->real_escape_string($v); } // implode the array into a string to insert into the query. The format is 'a','b','c' $answers = "'".implode("','",$answers)."'"; // single query to select all relevant answers. The IN filter will select any // row where the value of answer is in the list. $query_quiz = $validate->query("SELECT answer FROM quiz WHERE answer IN($answers)"); // A SELECT query will either return an object or FALSE, so all you have to do is this: if($query_quiz) { // since you only selected relevant rows, the number of rows returned is // how many questions you got right $total = $query_quiz->num_rows; // array of custom messages. Index 0 is 0 answers right, index 1 is 1 answer right, etc.. $messages = array( 'you got 0 right!', 'you got 1 right!', 'you got 2 right!', // etc.. ); // output the custom message echo $messages[$total]; // alternatively, if all the messages are the same except the number, you could // simply do echo "you got $total right!"; } // end if $query_quiz ?>
-
yes, it's definitely the cockies.
-
Dragosvr92 I think your frustration is directed at the wrong people. We are not developers for IPB, we simply use their product, same as thousands of other sites out there. We have no more leverage or weight in asking for a change than you or anybody else. You may think that we do if we show up as "the phpreaks community" vs "me, an individual" but we don't. We've tried. We've even had some members of our staff work as members of their staff, a "person on the inside" if you will, and even then they had little to no more leverage/weight in bringing up issues. Their core dev team does their thing and that's pretty much the end of it. So if you want your suggestion considered or implemented, march yourself over to the IPB community and post your thoughts there. Good luck with that endeavor, given what I just said, but you are certainly barking up the wrong tree arguing with us about it.
-
If the user is allowed to enter in an arbitrary value, then there's no way to reliably split the data up into those values. If the validation window is ALWAYS passed a value in the exact format of suburb=[suburb]%2C%20[state]%20[pcode]%3B Then you can do something like this: var suburb = "suburb=INALA%2C%20Queensland%204077%3B"; suburb = unescape(suburb).split(/=|,? |;/); suburb will now be: ["suburb", "INALA", "Queensland", "4077", ""]
-
Copying files from one hard drive to another
.josh replied to The Little Guy's topic in Miscellaneous
You could buy a harddrive docking station.. they are relatively cheap and a useful thing to have. -
sarchasm ftw
- 6 replies
-
- web development
- design
-
(and 3 more)
Tagged with:
-
So you've spent a couple months learning the basics? Congrats, you are now just as (if not more) qualified as most of the devs our there pretending to be professionals. All you have to do now is learn how to lie on a resume and talk a good game.
- 6 replies
-
- web development
- design
-
(and 3 more)
Tagged with:
-
MS Outlook - I use it for work emails and meetings. I also make use of the task stuff within it. I currently use Outlook 2013 and the color scheme choices are shit, and it makes it a lot harder to use. I wish I could go back to 2010 or 2007 but I didn't upgrade to 2013, I had to buy it outright (new computer). I have not tried 365. MS Excel* - I work in the web analytics industry. Lots of data to look at and manipulate. Excel is great for that sort of thing. MS Word* - I write a lot of Functional Specification and Requirements Documents. Word is great for that. * Normally you would buy some version of MS Office which bundles these things together. Kinda sucks that the "Home and Student" version of Office does not include Outlook :/ but I don't really use any of the other MS software, and it's (slightly) cheaper to buy Home and Student for Excel and Word, and then buy Outlook separately. It also sucks that they changed the licensing on their shit to be 1 pc instead of 3, in an effort to push to their subscription-based model (365), which does offer it on 5 pcs. I hope MS eventually offers different subscription plans, where you can pick and choose which software you want, because those are the only 3 I really use. sidenote: Don't even start with the "free" alternatives like OpenOffice. I've tried them. They are great for people who rarely ever do anything with things like that and are just trying to float by for like 1 project. But they suck for regular use, especially when you need to share with everybody else out there who uses MS stuff. Firebug - Firefox addon. Great for seeing details about server requests made, debugging javascript, etc.. HTML-Kit - My editor of choice. I have both the paid-for version (tools) and the free version (292) and TBH I personally like the free version better than the paid-for version. It doesn't have all the bells and whistles as other IDE's and that's precisely why I prefer it. There's just a ton of stuff in things like PHPStorm that I never need or use, which makes for extra bloat. My job doesn't really have me working on large projects that span many files. If i were to find myself in a career that focuses on that sort of thing, I would probably use PHPStorm. PuTTY - already mentioned by others. I use it for my SSH needs. There's also PuTTYgen that makes it easy to generate public/private keys TortoiseSVN - simple and easy to use svn client. It's integrated into windows explorer so you just rightclick on files/folders and there's the svn commands. CoreFTP - My general purpose FTP client of choice. Charles Proxy - I use the free version. Sometimes I need to requests being made from browsers and depending on the browser and how its being sent, things like firebug can't or won't catch it. So this is my backup. Fiddler - Great tool for fiddling with browser requests and responses. Most of my development work is working with javascript libraries for clients. Since I usually do not have direct access to their site (or even dev site), testing on a sandbox only goes so far. This tool makes it easy to for instance look for when a browser is about to make a request to a certain js file and intercept it and use my local copy instead, allowing me to test my code on the client's site.
-
I assume you are responding to this: My response to you is, have you ever heard of sarcasm?
-
well you can start by explaining what it is you are tying to accomplish...