Unnamed: 0
int64 302
6.03M
| Id
int64 303
6.03M
| Title
stringlengths 12
149
| input
stringlengths 25
3.08k
| output
stringclasses 181
values | Tag_Number
stringclasses 181
values |
---|---|---|---|---|---|
640,264 | 640,265 | Why is it adding %20 to the spaces in my javascript variables | <pre><code>function openFile(file, object) {
var extension = file.substr( (file.lastIndexOf('.') +1) );
var fileName = file.substr((file.lastIndexOf('/') +1), (file.length - (file.lastIndexOf('/') +1))-4);
object.append('<img class="theimage" src="" alt="icon"/>');
object.append('<span class="thefile"></span>');
switch(extension) {
case 'ppt':
object.find('img').attr('src', 'PowerPoint-icon.png');
break;
case 'pdf':
object.find('img').attr('src', 'pdficon_large.gif');
break;
case 'txt':
object.find('img').attr('src', 'txt_icon.png');
break;
default:
alert('error');
}
object.find('span.thefile').text(fileName);
};
</code></pre>
<p>This function runs properly on it's own but when I add it to my school's cms template it add %20 to all the spaces in fileName.</p>
<p>Do you think they have their own function that is doing this? What would be the purpose? For security? </p>
| javascript jquery | [3, 5] |
5,070,697 | 5,070,698 | JQuery Custom Radio Buttons code (code not working) | <p>usual but I need to have different custom radio button images per button.</p>
<p>So Radio1 would have different images to Radio2.</p>
<p>Trying it out on the code below but it won't work so I must be doing something wrong?</p>
<p>Here's the code:</p>
<pre><code><label for="radio1">
<img src="radio1_unchecked.png" style="vertical-align:middle" />
<input name="radiogroup" type="radio" id="radio1" style="display:none;">
</label>
<label for="radio2">
<img src="radio2_unchecked.png" style="vertical-align:middle" />
<input name="radiogroup" type="radio" id="radio2" style="display:none;">
</label>
<script>
$(document).ready(function(){
var radio1checkedImage = "radio1_checked.png",
radio1uncheckedImage = "radio1_unchecked.png",
radio2checkedImage = "radio2_checked.png",
radio2uncheckedImage = "radio2_unchecked.png";
$('img').attr("src", radio1uncheckedImage);
$('#radio1, #radio2').change(function() {
var r;
r = $("#radio1");
r.prev().attr("src", r[0].checked ? radio1checkedImage : radio1uncheckedImage);
r = $("#radio2");
r.prev().attr("src", r[0].checked ? radio2checkedImage : radio2uncheckedImage);
});
});
</script>
</code></pre>
<p>Update: <a href="http://jsbin.com/ekavin" rel="nofollow">Here</a> is the same code as above but without the multiple images.
As you can see it works. Can't the code be modified to have multiple images per radio?</p>
| javascript jquery | [3, 5] |
106,811 | 106,812 | find number of nodes between two elements with jquery? | <p>I'm having a little trouble figuring out a fast way to accomplish a (seemingly) simple task. Say I have the following html:</p>
<pre><code><ul>
<li>One</li>
<li>Two</li>
<li id='parent'>
<ul>
<li>Three</li>
<li>
<ul>
<li>Four</li>
<li id='child'>Five</li>
</ul>
</li>
<li>Six</li>
</ul>
</li>
</ul>
</code></pre>
<p>And have the following two elements:</p>
<pre><code>var child = $("#child");
var parent = $("#parent");
</code></pre>
<p>In this example, it's clear that:</p>
<pre><code>child.parent().parent().parent().parent();
</code></pre>
<p>will be the same node as 'parent'. But the list I'm traversing is variable size, so I need to find a way to find out how many '.parent()'s I'll need to go through to get to that parent node. I always know where child and parent are, I just don't know how many 'layers' there are in between.</p>
<p>Is there any built in jQuery method to do something like this, or is my best bet a recursive function that gets the parent, checks if the parent is my desired node, and if not calls itself on its parent?</p>
<p>Edit: I may not have explained myself clearly enough. My problem isn't getting TO the parent, my problem is finding out how many nodes are between the child and parent. In my example above, there are 3 nodes in between child and parent. That's the data I need to find.</p>
| javascript jquery | [3, 5] |
6,030,118 | 6,030,119 | catch cmd output and include it on list java | <p>i try to do some cmd command in java, my script:</p>
<pre><code>public void test(){
try{
Runtime rt=Runtime.getRuntime();
Process p = rt.exec("cmd /c "+"adb devices");
BufferedReader input = new BufferedReader(new InputStreamReader(p.getInputStream()));
while((line=input.readLine())!=null){
System.out.print(line);
}
}catch(Exception e){
System.out.println("process failed");
}
}
</code></pre>
<p>and the output result:</p>
<pre><code>run:
List of devices attached
0160880B0401F006 device
</code></pre>
<p>how can i catch the part of that result: "0160880B0401F006" and put into a list on my gui?</p>
<p>thanks before</p>
| java android | [1, 4] |
3,568,028 | 3,568,029 | How can I programmatically simulate activity so the phone doesn't go to sleep due to inactivity? | <p>First, I know about <a href="http://stackoverflow.com/a/3723649/1287251">WakeLock</a> and <a href="http://stackoverflow.com/a/6553807/1287251">setKeepScreenOn</a>. My needs are just a bit different, and I'm not even sure if it's possible.</p>
<p>I'm generating touch events in one thread by calling <code>MotionEvent.obtain()</code> and then dispatching them to the top activity with <code>activity.dispatchTouchEvent()</code>. This is working fine, except the device can go to sleep because the generated touch events don't seem to be recognized as user activity, and the phone can go to sleep due to inactivity.</p>
<p>Is it possible, and if so how, to tell the activity (or application, or OS; whatever needs to be told) "Hey, there's been activity" so it doesn't auto sleep, but still allow the phone to auto sleep like normal if there hasn't been any activity for long enough (i.e. if my thread doesn't generate and send a touch event for a long enough time)? Basically, I want these generated touch events to keep the phone awake just like real touch events. The problem with <code>WakeLock</code> and <code>setKeepScreenOn()</code> is that they force the screen to stay on and don't allow it to sleep (or whatever the user's device's default behavior is) due to inactivity.</p>
| java android | [1, 4] |
3,276,801 | 3,276,802 | Jquery mouse event alternative | <p>Alright so the code below works fine if I click outside the #nav div. I was asking if it is possible to just move the mouse away from the #nav div to make it disappear. I don't want to 'click' to hide the div. <a href="http://jsfiddle.net/sKpwV" rel="nofollow">Example</a></p>
<pre><code> $(document).mouseup(function (e)
{
var container = $("#nav");
if (container.has(e.target).length === 0)
{
container.hide();
}
});
</code></pre>
<p>I tried the mouseenter and mouseleav, but they don't work. <a href="http://jsfiddle.net/sKpwV/1" rel="nofollow">Example</a>
Any help will be appreciated :)</p>
| javascript jquery | [3, 5] |
2,414,252 | 2,414,253 | How to check class name in JavaScript or jQuery, and reload to another URL | <p>I have this code.</p>
<pre><code><div class="1st-class"></div>
</code></pre>
<p>and I have a button, when I click it, the div will be like this.</p>
<pre><code><div class="1st-class goto"></div>
</code></pre>
<p>Now, how can I check the div if the class name has <code>goto</code>?</p>
| javascript jquery | [3, 5] |
4,110,517 | 4,110,518 | Java or Android | <p>I am using eclipse, and I have just tried making an android project instead of a java project. Things that I do in java don't work in android. Are they different programming languages?</p>
| java android | [1, 4] |
1,812,311 | 1,812,312 | Disable access to pages after logout (Session.Abandon) in C#/ASP.NET | <p>I'm interested in disallowing the following after logout:</p>
<p>-- no back button</p>
<p>-- no direct access to pages via URL - for example: if the user logs out then they should not be allowed to see a cached page using some URL (e.g., replacing the URL with a valid URL in the site <a href="http://mysite.com/Gotothispage.aspx" rel="nofollow">http://mysite.com/Gotothispage.aspx</a>)</p>
<p>I've seen similar questions like this one: <a href="http://stackoverflow.com/questions/589285/how-to-disable-back-button-in-browser-when-user-logout-in-asp-net-c">http://stackoverflow.com/questions/589285/how-to-disable-back-button-in-browser-when-user-logout-in-asp-net-c</a></p>
<p>I know that I can set no cache on the master page, but then I lose the ability to use the back button when the user is actually logged in. Am I correct in this understanding?</p>
| c# asp.net | [0, 9] |
4,370,203 | 4,370,204 | Loading a page but not into a container div using jQuery | <p>I have a drop down that I select a file type from, I then want it to fire at a page that generates a file depending on what was selected and forces a download of it using <code>header</code> in php. Here's the jQuery. </p>
<pre><code>$('#exportdropdown').change(function(){
var searchinput = $('#searchinput').val();
var maxrec = $('#navdropdown option:selected').text();
$('.loadCont').fadeIn();
if($('#importbutton').hasClass('clickedButton')){
$.get('export.php', {filter: 'import', maxrecords: maxrec, type: 'xls'});
}else{
$.get('export.php', {filter: 'export', maxrecords: maxrec, type: 'xls'});
}
$('.loadCont').delay('600').fadeOut();
});
</code></pre>
<p>I'm forcing the type at the moment for testing, but it doesn't seem to work how I expected. When you address the file with the data below so <code>export.php?filter='import'&maxrecords=15&type='xls'</code> it forces the download fine. Just not using the jQuery method. Anything obvious that stands out to someone more experienced?</p>
| php jquery | [2, 5] |
5,655,364 | 5,655,365 | What is a reverse reference to the DOM object? | <p>In this link: <a href="http://css-tricks.com/snippets/jquery/jquery-plugin-template/" rel="nofollow">http://css-tricks.com/snippets/jquery/jquery-plugin-template/</a> it has a line of code that says</p>
<pre><code>// Add a reverse reference to the DOM object
base.$el.data("yourPluginName", base);
</code></pre>
<p>what does the "reverse reference to the DOM object" mean?</p>
| javascript jquery | [3, 5] |
159,575 | 159,576 | how to delete specific number of rows using jquery provided by argument | <p>i have a sample code. This will delete entire row if nor args provided. If provided it will delete the given rows.</p>
<pre><code>function deleteTableRows(tableID)
{
rowsToDel = document.getElementById('getrows').value;
if(document.getElementById(tableID) !== undefined)
{
var tbl = document.getElementById(tableID);
var deleteAll = false;
if(rowsToDel ==null || rowsToDel == "")
{
rowsToDel = tbl.rows.length;
deleteAll = true;
}
if(deleteAll)
{
while(rowsToDel > 0)
{
tbl.deleteRow(rowsToDel - 1);
rowsToDel = tbl.rows.length;
}
}
else
{
while(rowsToDel > 0)
{
tbl.deleteRow(rowsToDel - 1);
rowsToDel = rowsToDel - 1;
}
}
}
}
</code></pre>
<p>How to do this in jquery </p>
| javascript jquery | [3, 5] |
3,327,973 | 3,327,974 | How do I convert line breaks to \n | <p>I have a return string from a db.</p>
<p>The return string must be formatted in javascript.</p>
<pre><code><?php
$db = "this is a line
this is a new line";
?>
</code></pre>
<p>How would I convert the above to:</p>
<pre><code><?php $db = "this is a line \n this is a new line"; ?>
</code></pre>
<p>Javascript:</p>
<pre><code><script>
var jdb = <?php echo $db; ?>
</script>
</code></pre>
| php javascript | [2, 3] |
1,711,560 | 1,711,561 | Android PreferenceActivity without XML | <p>Is there a way to create Holo-styled (non-deprecated) PreferenceActivity and it's headers/fragments in pure Java, not XML? Is it possible to add and remove headers programmatically?</p>
| java android | [1, 4] |
2,487,868 | 2,487,869 | JQuery Order list by field and add to divider div | <p>I am trying to get listing organized by a field called letter.</p>
<p>So the fields are:</p>
<p>id, name, letter.</p>
<p>for example:</p>
<h2>id name letter</h2>
<p>1 list1 a
2 list2 a
3 list3 b</p>
<p>To list1 and list2 are added after id="a" and list3 is added after id="b"</p>
<p>Here is a json data sample:</p>
<pre><code>{"id":[{"id":"1","name":"list1","letter":"a"},{"id":"2","name":"list2","letter":"b"}]}
</code></pre>
<p>The code below adds the contents to the listview but I need to go a step further and add then to their own place.</p>
<p>For example all listings with the letter "a" are added after the A</li> etc</p>
<p>Here is the code: </p>
<pre><code>$.getJSON("list.json", function(data){
var output = '';
$.each(data.id, function(index, value){
output += '<li><h1>' + value.name + '</h1></li>';
});
$('#listview').html(output).listview('refresh');
}).error(function(args) {
console.log(args);
});
<ul id="listview">
<li id="a">A</li>
<!--Listings with letter A go here-->
<li id="b">B</li>
<!--Listings with letter B go here-->
<li id="c">C</li>
<!--Listings with letter C go here-->
</ul>
</code></pre>
<p>How can I get the listings for be added to its place?</p>
| javascript jquery | [3, 5] |
3,522,919 | 3,522,920 | Jquery conflict | <p>I have been trying and trying to fix jquery issues. i have in my header lots of jquery. I use it for slider and other things that are built into this premade theme. I am unable to add anything that uses jquery because of conflict. i need some help. The board is www.cgwhat.com. The forgot password is jquery and the slider is controlled by jquery also. I wanted to add another plugin but can not because of the conflict. Also with the forgot password that is jquery. I need to know what is wrong and how to fix it . If i remove calls to javascript in header it is fixed. The forgot password works but everything else breaks. </p>
<pre><code><?php wp_enqueue_script("jquery"); ?>
<?php wp_head(); ?>
<script type="text/javascript" src="<?php bloginfo('template_url'); ?>/js/jquery.equalHeight.js"></script>
<script type="text/javascript" src="<?php bloginfo('template_url'); ?>/js/flashobject.js"></script>
<script type="text/javascript" src="<?php bloginfo('template_directory'); ?>/js/jquery.js"></script>
<script type="text/javascript" src="<?php bloginfo('template_directory'); ?>/js/jquery.jcarousel.js"></script>
<script type="text/javascript" src="<?php bloginfo('template_directory'); ?>/js/jquery.actions.js"></script>
<script type="text/javascript">
jQuery(document).ready(function($){
var fC=$('#features-nav .features-nav-item').length;
curS=1;
var cInt=0;
cInt=setInterval(function(){
$('#features-nav .features-nav-item:eq('+curS+')').addClass('current').trigger('click');
curS++;
if(curS>=fC) curS=0;
},10000);});
</script>
</head>
</code></pre>
| jquery javascript | [5, 3] |
2,173,066 | 2,173,067 | how to clone an element with specific number of times | <p>what's the syntax to clone an element with assigned times like 5 times?
For example, in the html I have this element</p>
<pre><code><div name="test">
this is a test
</div>
</code></pre>
<p>and I have this clone button which will copy the element once very time I hit it. Then the problem is how can I like just want to copy it 5 times which means after the fifth time I click the copy button, I won't be able to copy the element and get an alart like "already excess maximum "? Thanks in advance!</p>
| javascript jquery | [3, 5] |
5,213,736 | 5,213,737 | How can I view an object with an alert() | <p>I tried to do a debug but I am having problems. Now I try with <code>alert()</code>. For example I want to see the value of:</p>
<pre><code>var product = { ProductName: $('!Answer_Response[0]').val(),
UnitPrice: $('#Price').val(),
Stock: $('#Stock').val()
};
</code></pre>
<p>When I say <code>alert(product)</code> it just gives me <code>[object Object]</code>. How can I make alert show what's really there?</p>
| javascript jquery | [3, 5] |
4,796,200 | 4,796,201 | jQuery: Use of undefined constant data assumed 'data' | <p>I am trying to use jQuery to make a synchronous AJAX post to a server, and get a JSON response back.</p>
<p>I want to set a javascript variable msg upon successful return</p>
<p>This is what my code looks like:</p>
<pre><code>$(document).ready(function(){
$('#test').click(function(){
alert('called!');
jQuery.ajax({
async: false,
type: 'POST',
url: 'http://www.example.com',
data: 'id1=1&id2=2,&id3=3',
dataType: 'json',
success: function(data){ msg = data.msg; },
error: function(xrq, status, et){alert('foobar\'d!');}
});
});
</code></pre>
<p><strong>[Edit]</strong></p>
<p>I was accidentally mixing PHP and Javascript in my previous xode (now corrected). However, I now get this even more cryptic error message:</p>
<p>uncaught exception: [Exception... "Component returned failure code: 0x80070057 (NS_ERROR_ILLEGAL_VALUE) [nsIXMLHttpRequest.open]" nsresult: "0x80070057 (NS_ERROR_ILLEGAL_VALUE)" location: "JS frame :: <a href="http://ajax.googleapis.com/ajax/libs/jquery/1.3.2/jquery.min.js" rel="nofollow">http://ajax.googleapis.com/ajax/libs/jquery/1.3.2/jquery.min.js</a> :: anonymous :: line 19" data: no]</p>
<p>What the ... ?</p>
| php jquery | [2, 5] |
2,841,425 | 2,841,426 | Is it bad to add jQuery multiple times on a page? | <p>I am in a situation where I have multiple ASCX files that are being added to an aspx page. Some of these files include the jQuery library. Depending on which ones are added the jQuery library may be included more than once.</p>
<p>I cannot add jQuery at the masterpage or some other level, it must be from the ASCX. The reasons for this are beyond the scope of this question, but if someone really wants an explanation I can provide one.</p>
<p>Is it bad to have jQuery added multiple times in an ASPX page? Is there a way to conditionally add a script to an ASCX page?</p>
| jquery asp.net | [5, 9] |
811,270 | 811,271 | What does classname.class refer to in Android? | <p>For example, when we create an intent, we use </p>
<pre><code>Intent i = new Intent(MainActivity.this,LoginActivity.class);
</code></pre>
<p>What does <code>.class</code> refer to? Is it the name of the class as a string? Or is it the class itself? Why can't I just pass<code>LoginActivity</code> instead of <code>LoginActivity.class</code>?</p>
| java android | [1, 4] |
2,903,013 | 2,903,014 | path to subfolder for a text file | <pre><code>StreamReader content1 = File.OpenText("../DATA/heading.txt");
</code></pre>
<p>I have a txt file in a subfolder called DATA, I am trying to access this file from code but the code goes to the .net runtime directitory and not the application directory, thanks for the help</p>
| c# asp.net | [0, 9] |
567,712 | 567,713 | What's the best way to facilitate "Load More" pagination with jQuery? | <p>I'm displaying a list of search results on a page. At the very bottom I would like to place a "Load More" link which appends more results to existing ones on the page and changes the "Load more" link's parameters to next page, so that if user clicks it next page will be appended to the page. It would also be nice to have "Please wait" or some message appear while results are loading.</p>
<p>What's the most common and practical way of doing this with jQuery?</p>
<p>Thanks!</p>
| javascript jquery | [3, 5] |
3,100,376 | 3,100,377 | Is it possible to apply an onclick() event to a div tag? | <p>To make sure that an event handler is written properly, I generally have Visual Studio generate the event for me. However, I can't find a way to do this with a div and I've tried typing it out myself to no avail. Is this even possible without writing any javascript? (I saw similar questions, but couldn't seem to find anything that fit my need).</p>
<p>Edit: Basically I have a logoff div disguised to the user as a button. When they click it, I want the following to happen:</p>
<pre><code> protected void LogOff_Click(object sender, EventArgs e)
{
FormsAuthentication.SignOut();
Session.Abandon();
//This will clear the authentication cookie
HttpCookie myHttpCookie = new HttpCookie(FormsAuthentication.FormsCookieName, "");
myHttpCookie.Expires = DateTime.Now.AddYears(-1);
Response.Cookies.Add(myHttpCookie);
//This will clear the session cookie (not required for my application but applying to be safe)
HttpCookie myHttpCookie2 = new HttpCookie("ASP.NET_SessionId", "");
myHttpCookie2.Expires = DateTime.Now.AddYears(-1);
Response.Cookies.Add(myHttpCookie2);
FormsAuthentication.RedirectToLoginPage();
}
</code></pre>
<p>Here's where I call this event (sorry, it's technically a span, not a div): </p>
<pre><code> <a href="Log_In.aspx"><span class="MenuItem" runat="server" onclick="LogOff_Click">Log Off</span></a>
</code></pre>
| c# asp.net | [0, 9] |
5,736,194 | 5,736,195 | Have a problem with my jQuery Tabs | <p>I have a jQuery based tabs which i got from some blog.So now when you click on the Tab,the respective content is loaded.</p>
<p>The content in each tab is quite huge and that is why i want to float the tabs on the right side of the screen.So how do i do that.</p>
<p>Here is the tabs which I'm talking about. <a href="http://www.sohtanaka.com/web-design/simple-tabs-w-css-jquery/" rel="nofollow">http://www.sohtanaka.com/web-design/simple-tabs-w-css-jquery/</a></p>
<p>Thank you for your help.</p>
| php jquery | [2, 5] |
3,438,165 | 3,438,166 | how to create a DLL for all language | <p>how to create a file DLL, so all language dev can used it
i think, if use C++ to created , then language .Net can used it.
however, how about JAVA ??? and a few other language</p>
| c# java c++ | [0, 1, 6] |
3,315,739 | 3,315,740 | Dynamically removing elements from different div | <p>I have the following code:</p>
<pre><code><div id='a'>
</div>
....
....
<div id='b'>
</div>
</code></pre>
<p>combined the script:</p>
<pre><code>$.ajax({
type:'POST',
url:'grouplist.php',
async:false,
dataType:'json',
cache:false,
success:function(result)
{
var $ni=$('#a');
$.each(result,function(key,value)
{
var $button=$('<input></input>',{
'type':'button',
'id':key,
'class':'button',
'value':value
}).appendTo($ni);
});
}});
</code></pre>
<p>This creates buttons in the <code>div</code> with a dynamic id. Now I am dynamically adding elements into <code>div</code> with id b if I click on one of these buttons as follows:</p>
<pre><code>$('#a').on('click','.button',function(){
$('.hmm').remove();
var x=$(this).attr('id');
$.ajax({
type:'POST',
url:'groupmsg.php',
async:false,
data:'id='+x,
dataType:'json',
cache:false,
success:function(result)
{
var $na=$('#groups');
$.each(result,function(key,value)
{
var t_msg=value[0]+":"+value[1]+"\t"+value[2];
var $p = $('<p></p>'{'id':'msg'+key,'class':'.hmm'}).html(t_msg).prependTo($na);
});
}
});});
</code></pre>
<p>I am unable to remove the elements of <code>div#b</code> using <code>$('.hmm').remove();</code>. Can someone help me in this regard?</p>
| javascript jquery | [3, 5] |
1,788,924 | 1,788,925 | how to call function from another page in java? | <p>i have defined all my java files in packages... i have one function which i have defined on some page and i just want to use it on another page... how would i do that...</p>
| java android | [1, 4] |
180,085 | 180,086 | How to keep append any element while reloading | <p>I wanted to know how I could keep an element that I have appended in jQuery alive ?
I have a form, when the value of a is changing, an element append.
But when there are errors it reload the page and print the errors.
But the element appended disappear after reloading the page of course..</p>
<pre><code><form method="post" action="?action=comment">
<select id="tag" name="tag">
<option value="1">super</option>
<option value="2">super</option>
</select>
<span id="elem_added"></span>
<input type="submit" value="send" />
</form>
<script>
$("#tag").change(function(e){
option = $(this).val();
if (option == "1")
{
$("#elem_added").append("<input type='text' name='test' id='input_added' />");
}
});
</script>
</code></pre>
<p>So any Idea to keep it in my page ?</p>
<p>Thx everyone !</p>
<p>ps: I don't use ajax and I won't</p>
| javascript jquery | [3, 5] |
1,302,613 | 1,302,614 | JQuery right click contextmenu | <p>Hi I'm new to JQuery and I just want to have a rightclick contextmenu. I googled it and found sample code</p>
<p>This is the code I'm using.</p>
<pre><code> $(document).ready(function(){
$('#rightclickarea').bind('contextmenu',function(e){
var $cmenu = $(this).next();
$('<div class="overlay"></div>').css({left : '0px', top : '0px',position: 'absolute', width: '100%', height: '100%', zIndex: '100' }).click(function() {
$(this).remove();
$cmenu.hide();
}).bind('contextmenu' , function(){
return false;}).appendTo(document.body);
$(this).next().css({ left: getLeftPosition(e), top: getTopPosition(e), zIndex: '101' }).show();
return false;
});
$('.vmenu .first_li').live('click',function() {
if( $(this).children().size() == 1 ) {
//alert($(this).children().text());
$('.vmenu').hide();
$('.overlay').hide();
}
});
$('.vmenu .inner_li span').live('click',function() {
//alert($(this).text());
$('.vmenu').hide();
$('.overlay').hide();
});
$(".first_li , .sec_li, .inner_li span").hover(function () {
$(this).css({backgroundColor : '#E0EDFE' , cursor : 'pointer'});
if ( $(this).children().size() >0 )
$(this).find('.inner_li').hide();
$(this).css({cursor : 'default'});
},
function () {
$(this).css('background-color' , '#fff' );
$(this).find('.inner_li').hide();
});
});
</code></pre>
<p>My problem is when i rightclick everything works fine. But when i rightclick again nothing appears. I should do a middle leftclick and rightclick again if want the menu to appear again.
can anyone help to solve this issue</p>
<p>Thanks in advance</p>
| javascript jquery | [3, 5] |
4,037,380 | 4,037,381 | Guides to help learn C++ specifically from a C# background | <p>Is there a guide/reference anyone would recommend to pick up C++ <em>specifically</em> if you have strong experience of C#?</p>
<p>There are C++ guides, but a lot start with the absolute basics and I feel I've covered a lot with my C# learnings.</p>
<p>But the absolute basics may be a good thing and I may be barking up the wrong tree - I imagine some people might say "you should just consider it completely different and learn it separately otherwise you'll miss bits"</p>
<p>I actually used to be "fairly OK" at C++, but it's all gone...</p>
| c# c++ | [0, 6] |
2,107,293 | 2,107,294 | Error when remove row using javascript? | <p>I have a sample code:</p>
<pre><code><input type="checkbox" id="input_modem_1" onclick="add_delete_row(this, 1,'test1' )" name="modem_id[]" value="1" /> test 1
<input type="checkbox" id="input_modem_2" onclick="add_delete_row(this, 2,'test2' )" name="modem_id[]" value="2" /> test 2
<table id="modem_list"></table>
</code></pre>
<p>And code javascript:</p>
<pre><code><script>
function add_delete_row(element, id, modem_name) {
if(element.checked) {
if(id) {
deleteRow(id);
}
addRow(id, modem_name);
} else {
deleteRow(id);
}
}
function addRow(id, modem_name) {
var table = document.getElementById("modem_list");
var rowCount = table.rows.length;
var row = table.insertRow(rowCount);
var cell1 = row.insertCell(0);
var element1 = document.createElement("input");
element1.type = "checkbox";
cell1.appendChild(element1);
var cell2 = row.insertCell(1);
var element2 = document.createElement("input");
element2.type = "hidden";
element2.value = id;
cell2.innerHTML = modem_name;
cell2.appendChild(element2);
}
function deleteRow(id) {
try {
$('modem_list').removeChild($('modem_'+id));
$('modem_list').removeChild($('input_modem_'+id));
} catch(err){}
}
</script>
</code></pre>
<p>When I check on a value is result add a row, and when i uncheck this row, is result not run and it add more this, how to fix it </p>
| javascript jquery | [3, 5] |
2,650,312 | 2,650,313 | How to bring focus to a window in jquery? | <p>I am trying to bring focus to window using jquery. The window is popup initiated through a button click on the parent page. I have some ajax calls going on in the child window, so data is being updated. My issue is that if the user clicks on the parent window and hides the child behind it, i would like to bring that child window back to the forefront if there is a data update.</p>
<p>inside $(document).ready I wire up these events:</p>
<pre><code> $(window).blur(function(){
WindowHasFocus =false;
}).focus(function(){
WindowHasFocus =true;
});
</code></pre>
<p>Then, if data is updated, I call this function:</p>
<pre><code>function FocusInput(){
if(!WindowHasFocus){
$(window).focus();
}
}
</code></pre>
<p>This works as expected in IE8, but in FireFox(and all other browsers) the Blur event nevers seem to fire if I click the parent window. Any suggestions/ideas on how achieve this?</p>
<p>update:</p>
<p>Total facepalm moment:
In FireFox:
* Tools
* Options…
* Content tab
* Advanced button next to “Enable JavaScript”
* check the box named "Raise or Lower Windows"</p>
| javascript jquery | [3, 5] |
5,004,500 | 5,004,501 | JS hover link call function, but only once? | <p>I have a simple html page, with many links.</p>
<p>When a link is hovered over, it calls a function <code>dothis()</code> that changes the contents of a div on the page, but I only want it to run the function once for each link no matter how many times it is hovered over. </p>
<p>For example, if the user hovers over a particular link, moves the mouse away and hovers again, it will not load the function again (each link has this 1 hover limit, so the user could hover over link A, then link B can still run the function when hovered over (but only once for each link)).</p>
<p>I have jquery loaded if that makes things easier.</p>
<p>Any ideas how I can do this?</p>
| javascript jquery | [3, 5] |
3,144,837 | 3,144,838 | single quote in php from java string | <p>I have a java (android) application that uses php to talk to the MS database. The problem is one part in my app. I have a string that is a sql statement, and that string will not insert into the database with the single quotes</p>
<pre><code>String sql = "select * from table where col = 'testing' AND Col2 = 'Tester'";
</code></pre>
<p>I get that in the php script by using: <code>$script = $_REQUEST['Script'];</code></p>
<p>2 things, I want to insert that script into a a column with the datatype char
and i also want to run that script as well. Thanks!</p>
<p>I am not having the users run there own scripts on my DB. as they check a checkbox it a StringBuilder builds a script upon what they select. So if they check Female or male The String add the Select * from Table where Gender = 'Female' etc. </p>
| java php | [1, 2] |
2,116,434 | 2,116,435 | JS/jQuery - Advice on Creating a Variable that can be used in multiple functions | <p>I'd like to create a a series of variable like follows that have settings per each:</p>
<pre><code>var panel_myfeed = new Array();
panel_myfeed[0]="/myfeed";
panel_myfeed[1]="#view-panel-myfeed";
panel_myfeed[2]="XXXXXXXX";
var panel_OtherPanel = new Array();
panel_OtherPanel[0]="/otherurl";
panel_OtherPanel[1]="#other-url-panel";
var panel_OtherPanel2 = new Array();
panel_OtherPanel2[0]="/otherurl2";
panel_OtherPanel2[1]=".other-url-panel2";
</code></pre>
<p>Then I want to have two separate functions that can use those variables</p>
<pre><code>function WhichPanel(url) {
*** Given a URL var like /myfeed, which which panel[0] this belongs to so I can get the other variables
** do something now that I have the settings above
}
function KillPanel(url) {
*** Given a URL var like /myfeed, which which panel[0] this belongs to so I can get the other variables
** do something now that I have the settings above
}
</code></pre>
<p>Suggestions? thxs</p>
| javascript jquery | [3, 5] |
612,129 | 612,130 | Changing parent page's title from user control | <p>Am a newbie to asp.net
I've an asp.net page which uses a user control.
On Page_Load event of this control,I want to change the title of parent aspx page.
Need help on this please.</p>
| c# asp.net | [0, 9] |
1,991,943 | 1,991,944 | setInterval update ajax column unless mouseover | <p>I have a column in my web design, which is periodically refreshed by a JS function "refreshColumn()" and updated by AJAX.</p>
<pre><code>setInterval('refreshColumn()',60000);
function refreshColumn() {
..make call with AJAX and load response to element...
document.getElementById('myColumn').innerHTML = xmlhttp.responseText;
}
</code></pre>
<p>This is okay, however, it's not very practical when my user is actually using that column and it refreshes on them!</p>
<p>Is it possible to modify what I have already, to incorporate an 'onmouseover' event that will stop the function from running the AJAX and refreshing the column, and 'onmouseout' allows the script to refresh again?</p>
| javascript jquery | [3, 5] |
5,521,766 | 5,521,767 | Class Design : Threading inside class or outside | <p>I have a class <code>Session</code> which tracks a bunch of counters and gets persisted to a database. My question is mostly a class design question, and not specific to Android but I'm working on Android, which is only relevant because I want to ensure writing to the database does not happen on <em>the</em> main thread. </p>
<p>I'm considering two alternatives for the <code>persist()</code> method which writes the session to a db (which could be potentially slow and I'm not overly concerned about whether/when it succeeds):</p>
<p><strong>Concurrency & Execution inside</strong></p>
<pre><code>public class Session()
{
//.. getters and setters...
void persist()
{
Runnable r = new Runnable(){
// Implement logic in run() with slow
// db operations
};
ExecutorService executor = getExistingExecutor();
executor.submit(r);
}
}
</code></pre>
<p><strong>Concurrency & Execution outside</strong></p>
<pre><code>public class Session()
{
//.. getters and setters...
void persist()
{
// Implement logic in run() with slow
// db operations
}
}
</code></pre>
<p>I'm basically wondering from an object design standpoint, what is the best way to wrap up neatly code that could be slow running so that its easy to use? I'm also interested if there is a division of labor issue (The <code>Session</code> store values for the session but also knows how to persist itself ... i can't decide if thats nice OO or overly complex).</p>
| java android | [1, 4] |
245,951 | 245,952 | How to Retrieve Particular ID Elements within a Web Page using jQuery | <p>Hoping someone can assist as I am unsure how to approach but for the web page that I am on (i.e. in my web app), using jQuery, I would like to be able to add to an array in order of appearance through the web page, all elements where the id matches the string "_AB_Q_"</p>
<p>For example, scattered through the web page will be instances of the following:</p>
<pre><code><id="P1_AB_Q_101">...
<id="P1_AB_Q_102">...
<id="P1_AB_Q_103">...
<id="P1_AB_Q_104">...
..
...
....
<id="P1_AB_Q_500">...
</code></pre>
<p>As mentioned, I only want to retrieve full id names where the id matches the pattern "_AB_Q_" and then store these in an array for later processing.</p>
<p>So using the test data above, I want to only return:</p>
<pre><code>P1_AB_Q_101
P1_AB_Q_102
P1_AB_Q_103
P1_AB_Q_104
P1_AB_Q_500
</code></pre>
<p>Thanks.</p>
| javascript jquery | [3, 5] |
472,895 | 472,896 | returning a variable from the callback of a function | <p>I am using the following functions:</p>
<pre><code>function loop_perms(permissions) {
.... call check_perm here....
}
function check_perm(perm) {
var result;
FB.api(
{
method: 'users.hasAppPermission',
ext_perm: perm
}, function(response) {
result = response;
});
return result;
}
</code></pre>
<p>Now, the issue is that I am getting an <code>undefined</code> from the result of <code>check_perm</code> whereas in the Firebug console, I can see that <code>response</code> has a value of 0 or 1 (depending on perm)</p>
<p>Anyone knows what I am doing wrong? I am guessing it has something to do with the fact that i am trying to capture the value of a variable inside a callback.</p>
<p>Regards
Nikhil Gupta.</p>
| javascript jquery | [3, 5] |
5,444,085 | 5,444,086 | How to return the ID of this span under a LI nodeObject using javascript or Jquery | <p>So I have </p>
<pre><code><li>
<span id="foobar"> abc </span>
</li>
</code></pre>
<p>I now have <code>li</code> as an nodeObject. I could get <code>"LI"</code> by using <code>li.nodeName</code>.</p>
<p>Now how could I get <code>"foobar"</code> out of <code>li</code> which is an ID of a span inside it.</p>
<p>I tried:</p>
<pre><code> $node = li;
alert($node>span.Id);
</code></pre>
<p>but not working, thanks!</p>
| javascript jquery | [3, 5] |
2,839,275 | 2,839,276 | How do I associate an ID with a content of a div? | <p>For example I have a HTML table...</p>
<pre><code>name | grade | action
bob | 1.0 | [button class="button" id='1']
jack | 2.0 | [button class="button" id='2']
john | 3.0 | [button class="button" id='3']
</code></pre>
<p>When I click the button,</p>
<p>to get the id...</p>
<pre><code>$(function(){
$('.button').click(function()
var buttonid = this.id
});
});
</code></pre>
<p>so if I were to press buttonid 1 how do I get the name 'bob' without having to open the database?</p>
<p>Additionally if I press the button how do I get the values in each column? i.e. If I press button 3 how do I get grade 3.0 or get both name and grade?</p>
<p>Script that generates the row of the table</p>
<pre><code>while(){
echo '<tr>';
echo '<td>'.$name.'</td>';
echo '<td>'.$grade.'</td>';
echo '<td> <input type="button" class="button" id="'.$id'"</td>';
echo '</tr>';
}
</code></pre>
| javascript jquery | [3, 5] |
4,355,462 | 4,355,463 | Buttons in treeView | <p>I am making an application where I want to display buttons next to each expanded leaf node.
I looked for tree list view and datagrid in tree view but nothing helped.
It would be great if anyone could suggest something
I am coding with c# and using asp.net.</p>
<p>I am looking for something like this: </p>
<ul>
<li><p>Parent</p>
<pre><code>-Child 1 Button1 Button2
-Child 2 Button1 button2
</code></pre></li>
<li><p>Parent2</p></li>
<li><p>Parent3</p></li>
<li><p>Parent 4</p></li>
</ul>
<p>Buttons are displayed in front of only those nodes which are expanded.</p>
| c# asp.net | [0, 9] |
5,095,899 | 5,095,900 | jQuery reset setInterval timer | <p>My Jquery:</p>
<pre><code>function myTimer() {
var sec = 15
var timer = setInterval(function() {
$('#timer').text(sec--);
if (sec == -1) {
clearInterval(timer);
alert('done');
}
} , 1000);
}
$("#knap").click(function() {
myTimer();
});
$("#reset").click(function() {
// set timer to 15 sec again..
});
</code></pre>
<p>I want the timer to be reset when clicked on #reset. </p>
| javascript jquery | [3, 5] |
2,063,510 | 2,063,511 | How to convert a number generated by php into a jQuery counter? | <p>I have built a simple php visitor counter to count the # of visitors to a site.</p>
<pre><code>$count_my_page = (text file);
$hits = file($count_my_page);
$hits[0] ++;
$fp = fopen($count_my_page , "w");
fputs($fp , "$hits[0]");
fclose($fp);
echo $hits[0];
</code></pre>
<p>Instead of boring number showing up, I am trying to turn it into a odometer style jQuery counter or apple style jQuery flip counter.</p>
<p><a href="http://cnanney.com/journal/code/apple-style-counter-revisited/" rel="nofollow">http://cnanney.com/journal/code/apple-style-counter-revisited/</a></p>
<p>How do I take "<code>$hits[0];</code>" & transfer it over to jQuery? I googled extensively but maybe I just don't understand php enough since I came up empty with my search. </p>
| php jquery | [2, 5] |
3,388,871 | 3,388,872 | Process Jquery fuction only once | <p>HTML&PHP</p>
<p>I list ticket info;</p>
<pre class="lang-php prettyprint-override"><code> <table>
<?php
while($values = mysql_fetch_array($ticketInfo)){
echo '<tr>';
echo '<td id="ticketPrice">'. $values['ticket_price'] .'</td>';
echo '<td id="myBonus">'. $values['bonus']*5 .'</td>';
echo '<td><input type="checkbox" name="use_bonus" onclick="useMyBonus();" id="myBonusId" /></td>';
echo '</tr>';
}
?>
</table>
</code></pre>
<p>When user click checkbox process a jquery script for calculate discount with use bonus and write returning data to ticketPrice ID. But there is multiple checkbox and if user click another checkbox script calculate again but I don't this. How can I process it only once?</p>
<p>My jquery Code;</p>
<pre><code> function useMyBonus(){
myBonus = parseInt($("#myBonus").text());
ticketPrice = parseInt($("#ticketPrice").text());
checked = $("#myBonusId").is(':checked');
if(checked == true){
$("#ticketPrice").text(ticketPrice-(myBonus/2));
}else{
$("#ticketPrice").text(ticketPrice+(myBonus/2));
}
}
</code></pre>
| javascript jquery | [3, 5] |
638,665 | 638,666 | Data persistence and updates in ASP.NET Web Forms | <p>I'm currently working on a web app/game using C# and ASP.NET(3.5). However, I'm running into a problem of variables used in the main page being reset to null whenever I click a button on the web form. I'm wondering if there was a way to allow to variables to persist for the life cycle of the entire application, as well as for the variables to be accessed from wherever/whenever.</p>
<p>Another issue I'm having at the moment is that I can't seem to find a way to update the properties of controls, like text or colour, without having to refresh the page. Is there a way to update these properties "silently" without forcing the user to go through the whole page refresh cycle?</p>
<p>Thanks</p>
| c# asp.net | [0, 9] |
5,097,721 | 5,097,722 | ASP.NET production server PDB files | <p>When developing I understand why PDB files are build.
But when I deploy my website for the production server the PDB files does still exists.
I dont's understand why.</p>
<p>Should I delete them in production environment or leave them</p>
| c# asp.net | [0, 9] |
722,482 | 722,483 | show toast when connectivity changes | <p>I built an app that streams audio using a webview. Now I added a check if there's connectivity (or not). Using toast I show a message with "true" or "false", but I'd like show a toast only when the connectivity changes. What should I do?</p>
<pre><code>protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
update();
private void update() {
new Thread() {
public void run() {
while (true) {
runOnUiThread(new Runnable() {
@Override
public void run() {
isOnline();
}
});
try {
Thread.sleep(5000);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
}.start();
}
public boolean isOnline() {
ConnectivityManager cm = (ConnectivityManager) getSystemService(Context.CONNECTIVITY_SERVICE);
NetworkInfo netInfo = cm.getActiveNetworkInfo();
if (netInfo != null && netInfo.isConnectedOrConnecting()) {
Toast.makeText(getApplicationContext(), "true",Toast.LENGTH_LONG).show();
return true;
}
Toast.makeText(getApplicationContext(), "false",Toast.LENGTH_LONG).show();
return false;
</code></pre>
| java android | [1, 4] |
2,603,265 | 2,603,266 | jQuery: Why can't I access the event object in my scroll event? | <p>I want to access the original event object but the object returns undefined..</p>
<pre><code>$(window).scroll(function(event) {
alert(event.pageX);
});
</code></pre>
<p>I'm just trying this out if it will work. The example is as basic as possible so I can work out other events too.</p>
| javascript jquery | [3, 5] |
3,196,745 | 3,196,746 | How to access the android default api using jquery mobile framework | <p>I develop one android application using jquery mobile framework. now i need to share text via message, Gmail, Facebook, twitter and email. I dont know how to access the default android api in jquery. can anybody help me?</p>
<p>Thanks in advance...
Shanmuganathan</p>
| jquery android | [5, 4] |
2,836,604 | 2,836,605 | scrollTo across multiple pages | <p>I have jQuery <code>scrollTo</code> working on a single page of a website, by calling each elements' <code>id</code> which activates the scroll.</p>
<p>What I would like to do is include elements on another page, which when the the link in the menu is clicked, loads the new page and scrolls to the correct element.</p>
<p>For example if my contact section is at the bottom of "page 1" but I am on "page 2". I would like to be able to click contact in the menu and it load "page 1" and then scroll to the contact section at the bottom.</p>
<p>The current script and code I am using are the following:</p>
<pre><code><script type="text/javascript">
function goToByScroll(id){
$('body').animate({ scrollTop: $("#"+id).offset().top },'slow');
}
var hash = window.location.hash;
setTimeout(function(){
goToByScroll(hash);
}, 300);
</script>
</code></pre>
<p>The navigation link is:</p>
<pre><code><a href="javascript: void(0)" onClick="goToByScroll('contact')">contact</a>
</code></pre>
<p>How can I do this?</p>
| javascript jquery | [3, 5] |
54,186 | 54,187 | Trouble with using layout-large with 160dpi large screen emulator (Android) | <p>I'm having trouble getting a 160dpi, 480x800 emulator to display the contents of my main.xml in a layout-large folder. It seems to still be using the main.xml in my regular layout folder. Are there any common reasons it wouldn't be reading this file correctly?</p>
<p>To put it into context, I have a .png called "back_large" in my drawable-mdpi folder. I also have a .png called "back." Both are 160dpi, but "back_large" is roughly twice the size of "back." In the main.xml within the layout-large folder, I have an ImageView that points to "back_large". In the main.xml within the regular layout folder, I have an ImageView that points to "back." When I run both the Normal- and Large-sized 160dpi emulators, they both pick up "back," which leads me to believe layout-large is not being implemented properly. I just don't know why.</p>
<p>Thanks.</p>
| java android | [1, 4] |
946,770 | 946,771 | passing an array of jquery get requests into $.when() | <p>I have the following parameters:</p>
<pre><code>a = [{param:'a'}, {param:'b'}, {param:'c'}]
</code></pre>
<p>I'd like to make a get request for each parameter, like this:</p>
<pre><code>a.map(function(ai){return $.get('myapi/get?ai='+ai.param)})
</code></pre>
<p>How do I do something once all the get requests have finished?</p>
<p>I have tried using $.when, like this:</p>
<pre><code>$.when(
a.map(function(ai){return $.get('myapi/get?ai='+ai)})
)
.done(function(results){
results.forEach(function(ri, i){
ri.success(function(result){
a[i].result = result
}
}
do_something_with(a)
}
</code></pre>
<p>unfortunately I am clearly misunderstanding this <code>$.when().done()</code> idiom as when I call <code>do_something_with(a)</code> I don't have the new <code>.result</code> attribute. I'm guessing it's because <code>when</code> is seeing a single array and so just passes straight into the <code>.done()</code>, as opposed to waiting for each component <code>get</code> to finish. </p>
<p>Any help would be appreciated!</p>
| javascript jquery | [3, 5] |
5,942,024 | 5,942,025 | Should I use Java applets or JavaScript/PHP to make my site more interactive? | <p>I have a website that is about electronics. I want to make some functional calculators such as calculation for analog filters which will have to show lots of plots and stuff like that. <a href="http://sim.okawa-denshi.jp/en/OPtazyuLowkeisan.htm" rel="nofollow">This is a sample of what I am looking for</a> and obviously it is only PHP and its graphic functions.</p>
<p>I want to have similar thing but much more interactive with realtime sliders and stuff like that.</p>
<p>What should I go for? Java Applets? or stick to JavaScript/PHP? I am asking this because I can do it with Java much faster (know it better than JavaScript and PHP). But I am afraid of browser incompatibility, security options for Applets and similar things. What is your suggestion?</p>
| java javascript | [1, 3] |
181,068 | 181,069 | jquery load to hide content | <p>There is javascript on my webpage, but I need to hide it from my users (I don't want them to be able to see it because it contains some answers to the game.)</p>
<p>So I tried using Jquery .load in order to hide the content (I load the content from an external js file with that call). But it failed to load. So I tried ajax and it failed too.</p>
<p>Maybe the problem comes from the fact that I'm trying to load a file located in my root directory, while the original page is located in "root/public_html/main/pages":</p>
<pre><code><script type="text/javascript">
$(document).ready(function() {
$.ajax({
url : "../../../secret_code.js",
dataType: "text",
success : function (data) {
$("#ajaxcontent").html(data);
}
});
});
</script>
</code></pre>
<p>1) Why can't I load a file from the root directory with ajax or load method?
2) Is there another way around?</p>
<p>PS: I'm putting the file in the root directory so people can't access it directly from their browsers...</p>
| javascript jquery | [3, 5] |
1,653,749 | 1,653,750 | ASP.NET Session State Security Problem | <p>I have a website in which people's 'logged in' state is confirmed by their session cookie (and a value within the session which they get after they log in). The cookie is set to httpOnly & require SSL.</p>
<p>Let's say somebody has 2 Firefox windows open, window (A) has my application and they are logged in, and window (B) has something else open.</p>
<p>If they close window (A) without explicitly logging out, then open a new window (C) and access a logged-in-only resource from my web application, it will still load because the cookie is <em>still</em> there and they are authenticated. The timeout on my sessions is already very low, but I need to stop this attack possibility because people may access their data on a public computer.</p>
<p>How can I prevent this from happening?</p>
| c# asp.net | [0, 9] |
4,211,031 | 4,211,032 | Javascript/JQuery event arguments. I don't understand what this 'e' argument is or does | <p>JQuery:</p>
<pre><code>this.saveButton.click(function (e) {
scope.saveForm();
});
</code></pre>
<p>This is a very simple line of JQuery that binds the .click() event to the saveButton object and calls a saveForm function when the event is fired.</p>
<p>When this event is called, what is 'e'? I don't think it is ever used.</p>
| javascript jquery | [3, 5] |
2,082,322 | 2,082,323 | Bind an action when a button is clicked in jQuery doesn't work | <p>i have a strange problem, i'm binding an action to a button using the jQuery function (click), when i click the button nothing happens, how that come!, here's the code i'm using: ` </p>
<pre><code><script >
$( '#admin' ).live( 'pageinit',function(event){
$('#AddButton').click(function(){
alert("Clicked")
});
});
</script>
</code></pre>
| javascript jquery | [3, 5] |
4,593,557 | 4,593,558 | __EVENTTARGET not populating after button click + C#/ASP.NET | <p>I have an asp button that produces this html: </p>
<pre><code><input type="submit" name="ctl00$m$g_a2ba5666_c8e9_4bd7_a44a_f9407dbe2199$ctl00$btnAddWebPart" value="Add Report" id="ctl00_m_g_a2ba5666_c8e9_4bd7_a44a_f9407dbe2199_ctl00_btnAddWebPart" />
</code></pre>
<p>When the button is submitted and the page_load method is hit, I am trying to do this: </p>
<pre><code>String target = Page.Request.Params.Get("__EVENTTARGET");
</code></pre>
<p>but, for some reason 'target' is empty. I checked to see if __EVENTTARGET is getting populated and it is an empty string. Any ideas as to why this is happening? It is something really silly.</p>
<p>Thanks.</p>
| c# asp.net | [0, 9] |
4,400,978 | 4,400,979 | Non Blocking Serial IO call in Java | <blockquote>
<p><strong>Possible Duplicate:</strong><br>
<a href="http://stackoverflow.com/questions/4293448/non-blocking-io-for-android">Non blocking IO for Android</a><br>
<a href="http://stackoverflow.com/questions/3693758/android-unbuffered-io">Android: Unbuffered IO</a> </p>
</blockquote>
<p>Can anyone tell me how to write a NON blocking serial IO read/write in Java?</p>
<p>What needs to happen is a kernel ioctl call to put the device file in non-blocking mode. Question is how to cause java to do that.</p>
| java android | [1, 4] |
3,625,078 | 3,625,079 | Performance Comparison between setting Resources as Content versus Embedded | <p>Does anyone know what are the performance costs of setting the resource to be as content and not embedded resource in asp.net app. </p>
<p>Has anyone ever noticed this issue in his app?</p>
| c# asp.net | [0, 9] |
1,801,323 | 1,801,324 | how to deploy the asp.net project on server | <p>i create one website. the excel file has name and mail id information. the mail id fetch by excel file when i give excel file name after send mail automatically to this mail id without design the subject, from,to ,cc,bcc,content. how to i create this project. now i export the excel file to ms-access.then i fetch name and mail id from ms-access database. then how to i send email automatically without designing and how to deploy the project on ftp.i don't know how to create please help me.
regards,
Padmapriya.S </p>
| php asp.net | [2, 9] |
937,973 | 937,974 | copy contents of div to clipboard | <blockquote>
<p><strong>Possible Duplicate:</strong><br>
<a href="http://stackoverflow.com/questions/400212/how-to-copy-to-clipboard-in-javascript">How to Copy to Clipboard in JavaScript?</a> </p>
</blockquote>
<p>Is there a way to copy the contents of a div into a clipboard using javascript/jquery without using an external plugin?</p>
| javascript jquery | [3, 5] |
2,965,517 | 2,965,518 | background image event handler | <p>If a HTML element (e.g. <code>div</code>) has a CSS background image is it possible to assign an event handler that is triggered when the user clicks on the background image, but not any other part of the element?</p>
<p>If so, a JQuery example would be much appreciated.</p>
| javascript jquery | [3, 5] |
3,482,324 | 3,482,325 | Javascript else condition not triggering | <p>I am trying to do a basic javascript/jquery animation. Basically, a div that is hidden under normal view, should come into view when clicking a button.</p>
<p>The problem I have is in the condition (the <code>if else</code> statement).</p>
<p>Here is the code that I am using.</p>
<pre><code>$(document).ready(function () {
animationClick('#animateThis', '#someElement', '#startHere');
});
function animationClick(element, secondElement, elementToBeClicked) {
element = $(element);
elementToBeClicked = $(elementToBeClicked);
secondElement = $(secondElement);
var state = 0;
var containerWidth = $('#container').width();
elementToBeClicked.on("click", function () {
if(state == 0) {
secondElement.animate({
top: '27%',
}, 500);
element.animate({
left: '0%',
}, 500);
elementToBeClicked.html("Hide");
state = 1;
} else {
alert('hehehe');
}
})
};
</code></pre>
<p>So, basically, this is what happens. The whole function is put into document.ready. When I click on the button (which this function is bonded to),the <code>if</code> statement returns <code>true</code>, and the code gets executed. It also sets the state to <code>1</code>.</p>
<p>After the state gets set to <code>1</code>, the <code>else if</code> statement should come into action and show an <code>alert("hehehe")</code>, but it does not. </p>
<p>Can anyone give me some kind of an advice? What am I doing wrong ?</p>
| javascript jquery | [3, 5] |
1,605,029 | 1,605,030 | Option Menu Button Code getting Stuck and Hanging | <p>I'm struggling to see why my code is not getting into the try statement after I hit the NearBy button on the options menu. It goes to a black screen but the IN NEAR CASE string doesn't display in the output of the logcat in Eclipse or in aLogCat on an Android phone? What am I doing wrong? </p>
<pre><code>import android.app.Activity;
import android.content.Context;
import android.content.Intent;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.os.Bundle;
import android.util.Base64;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.widget.BaseAdapter;
import android.widget.ImageButton;
import android.widget.ListView;
import android.widget.TextView;
import android.widget.Toast;
public class ProfileActivity extends Activity {
private static final int NEAR = Menu.FIRST;
public boolean onCreateOptionsMenu(Menu menu) {
menu.add(0, NEAR, 0, "NearBy").setIcon(android.R.drawable.ic_menu_info_details);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
switch (item.getItemId()) {
case NEAR:
try {
Log.e(LOG_TAG,"IN NEAR CASE");
Intent myIntent = new Intent(ProfileActivity.this,
AndroidClient.class);
} catch (NumberFormatException nfe) {
nfe.printStackTrace();
Toast.makeText(this, "Value Age is not correct", Toast.LENGTH_LONG).show();
} catch (NullPointerException npe) {
npe.printStackTrace();
Toast.makeText(this, "Error", Toast.LENGTH_LONG).show();
}
break;
}
return true;
}
}
</code></pre>
| java android | [1, 4] |
4,868,445 | 4,868,446 | Why can't I set a nullable int to null in a ternary if statement? | <p>The C# code below:</p>
<pre><code>int? i;
i = (true ? null : 0);
</code></pre>
<p>gives me the error:</p>
<blockquote>
<p>Type of conditional expression cannot
be determined because there is no
implicit conversion between '<null>'
and 'int'</p>
</blockquote>
<p>Shouldn't this be valid? What am i missing here?</p>
| c# asp.net | [0, 9] |
2,067,141 | 2,067,142 | creating global functions in android | <p>What i want to do is create a java file that has various functions and I would like to use it across the whole project. For example check Internet Connection. Then I would like to call that function on each activity. Does anyone know how to do that?</p>
| java android | [1, 4] |
1,029,620 | 1,029,621 | Changing page width and height using RegisterStartupScript method in asp.net | <p>I want to change page width and height using RegisterStartupScpript method:</p>
<p>I tried</p>
<pre><code>ScriptManager.RegisterStartupScript(this, this.GetType(), "default2", "<script height:350; width:200 type=text/javascript> </script>", true);
</code></pre>
<p>but it doesn't work. Can you help me? How can I do?</p>
<p>I find solution thanks for everone</p>
<pre><code> ScriptManager.RegisterStartupScript(this, typeof(string), "OPEN_WINDOW", "window.open( 'Default2.aspx?adi=" + adi + "&soyadi=" + soyadi + "&ogrenci_no="+ogrenci_no+"&tel_no="+tel_no+"&sinifi="+sinifi+"', 'height=650,width=850,status=no,toolbar=no,menubar=no,location=no, scrollbars=yes' );", true);
</code></pre>
| c# asp.net | [0, 9] |
5,777,504 | 5,777,505 | Using jQuery to "highlight" content under cursor | <p>I'm trying to write some jQuery code that will highlight the element the cursor is currently hovering over by adding a border around it. Here is the code I have so far:</p>
<pre><code><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>Hover Test</title>
<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.3.2/jquery.min.js"></script>
<script>
$(function() {
$("*:not(html, head, body)").hover( function () {
$(this).css("border", "2px solid purple");
},
function () {
$(this).css("border", "none");
}).click( function () {
alert($(this).html());
});
});
</script>
</head>
<body>
<div>
<p>This is paragraph one</p>
<p>This is paragraph two</p>
</div>
<span id="curtag"></span>
</body>
</html>
</code></pre>
<p>The problem is when I hover over something like a paragraph in the example below it also highlights the parent tag in this case the div. Additionally, when I click on the paragraph it gives me the html of the p and then the html of the div, however, I only want the html in the p tag. Any suggestions on how to fix this?</p>
| javascript jquery | [3, 5] |
5,086,676 | 5,086,677 | ASP.NET - How to check value of a textbox in a user control from a page? | <p>I have an aspx page that contains a user control. The user control has a textbox and the page has a submit button.</p>
<p>How can I check if the textbox in the user control is not null and display an alert if it is - from the page?</p>
| javascript asp.net | [3, 9] |
308,032 | 308,033 | Why does everyone like jQuery more than prototype/script.aculo.us or MooTools or whatever? | <p>It seems that jQuery has taken the throne for JavaScript frameworks and I was wondering exactly why. Is there a technical reason for this or is it just that they have evangelists? I have been really happy with using <a href="http://en.wikipedia.org/wiki/Prototype_JavaScript_Framework" rel="nofollow">Prototype</a> myself. Should I use jQuery for my next project?</p>
| javascript jquery | [3, 5] |
5,197,488 | 5,197,489 | How do I add an additional window.onload event in Javascript | <p>In my asp.net User Control I'm adding some script to the window.onload event like so:</p>
<pre><code>if (!Page.ClientScript.IsStartupScriptRegistered(this.GetType(), onloadScriptName))
Page.ClientScript.RegisterStartupScript(this.GetType(), onloadScriptName,
"window.onload = function() {myFunction();};", true);
</code></pre>
<p>My problem is, if there is already something in the onload event, than this overwrites it.
How would I go about allowing two user controls to each execute javascript in the onload event?</p>
<p>*<em>Edit:</em>*Thanks for the info on third party libraries. I'll keep them in mind. </p>
| c# asp.net javascript | [0, 9, 3] |
3,879,527 | 3,879,528 | Detecting if a plugin has been applied | <p>I have an app that loads conversations. Each time a conversation is loaded I need to destroy and re init the file uploader.</p>
<p>Per: <a href="https://github.com/blueimp/jQuery-File-Upload/wiki/API" rel="nofollow">https://github.com/blueimp/jQuery-File-Upload/wiki/API</a></p>
<p>I'm trying:</p>
<pre><code>// First destroy existing instance
$('.upload').fileUpload('destroy');
// Init
$('.upload').fileUploadUI({
........
</code></pre>
<p>Problem is on first run I get an error: "Uncaught No FileUpload with namespace "file_upload" assigned to this element"</p>
<p>Any ideas on how I can somehow detect if the plugin has been applied and only then destroy? Thansk</p>
| javascript jquery | [3, 5] |
2,484,506 | 2,484,507 | How to change a picture on each refresh / reload : javascript,php | <p>I want to change banner image on every refresh with javascript or php.</p>
| php javascript jquery | [2, 3, 5] |
2,773,433 | 2,773,434 | What’s the difference between Response.Write() andResponse.Output.Write()? | <blockquote>
<p><strong>Possible Duplicate:</strong><br>
<a href="http://stackoverflow.com/questions/111417/whats-the-difference-between-response-write-and-response-output-write">What’s the difference between Response.Write() and Response.Output.Write()?</a> </p>
</blockquote>
<p>how it is different from response.write() and response.output.write() explain problematically thank u.</p>
| c# asp.net | [0, 9] |
2,701,996 | 2,701,997 | Access web control from class file in asp.net 4 | <p>I am doing a simple page (Default.aspx), where is a DropDownList (id <strong>colors</strong>) control. It is easy to populate it with items in PageLoad method. </p>
<pre><code>protected void Page_Load(object sender, EventArgs e)
{
if (!this.IsPostBack)
{
colors.Items.Add("red");
}
} etc. ....
</code></pre>
<p>However, is it possible to fill the <strong>colors</strong> control from external class file (I mean some class file located in AppCode folder). </p>
<p>Thanks.</p>
| c# asp.net | [0, 9] |
4,564,893 | 4,564,894 | Comparing multiple field values together | <p>How can I compare multiple input field values and if there is a match alert 'There are similar values' using jQuery?</p>
<pre><code><input value="111"> //similar
<input value="222">
<input value="111"> //similar
<input value="333">
</code></pre>
<p>This html code above should alert 'There are similar values', as it has 2 values which are the same. How can it be done with jQuery?</p>
<p>My tried(Following code doesn't work):</p>
<p><strong>DEMO:</strong> <a href="http://jsfiddle.net/HpWLQ/" rel="nofollow">http://jsfiddle.net/HpWLQ/</a></p>
<pre><code>$('input').each(function () {
var $this = $(this);
var val = $this.val();
vals.push(val);
});
for (var i = 0; i < vals.length; i++) {
for (var n = 0; n < vals.length; n++) {
if (n !== i) {
if (vals[i] === vals[n]) {
alert('There are similar values');
}
}
}
}
</code></pre>
| javascript jquery | [3, 5] |
2,346,986 | 2,346,987 | When should I define an hash code function for my types? | <p>Is there any other reason for implementing an hash code function for my types other than allowing for good use of hash tables? </p>
<p>Let's say I am designing some types that I intend to use internally. I know that types are "internal" to the system, and I also know I will never use those types in hash tables. In spite of this, I decide I will have to redefine the equals() method.</p>
<p>Theory says I should also redefine the hash code method, but I can't see any reason why, in this case, I should do it.</p>
<p>Can anyone point me out any other reason?</p>
<p>This question can be rephrased to : <em>in which situations should we implement a hash code method in our types.</em></p>
<p>PS : I am not asking how to implement one. I am asking <em>when</em>.</p>
| c# java | [0, 1] |
4,985,770 | 4,985,771 | When to delete generated file using asp.net | <p>I have a template excel file to generate excel files from it.</p>
<p>My code is as follows (This part is to create a new excel file from the template):</p>
<pre><code>string currentFN = PropertyFinalResult[0].Fecha;
string fixCurrentFN = currentFN.Replace('/', '_');
string currentTime = DateTime.Now.ToLongTimeString();
string fixCurrentTime = currentTime.Replace(':', '_');
string addToFileName = fixCurrentTime.Replace(' ', '_');
string newFN = fixCurrentFN + "-" + addToFileName;
string SourceFile = Request.PhysicalApplicationPath + "Template\\ExcelTemplate.xlsx";
string DestFile = Request.PhysicalApplicationPath + "Template\\" + newFN + ".xlsx";
//To keep FileName for posterior deletion
Session["sDestFile"] = DestFile;
try
{
File.Copy(SourceFile, DestFile);
}
catch (Exception ex)
{
lblErrorSavingToDB.Text = "Error: " + ex.Message;
lblErrorSavingToDB.Visible = true;
}
</code></pre>
<p>after that I open the new excel file, insert the records in it and then, stream the file to the user by doing this:</p>
<pre><code>//Streaming file to client
string fileName = newFN + ".xlsx";
Response.Redirect("../Template/" + fileName);
</code></pre>
<p>Now, my question is, whether the user save or not the file, when should I delete the generated file? I would prefer once the user closes the popup window regarding Open or Save the file. But how to know when the user closes that window?</p>
| c# asp.net | [0, 9] |
5,004,571 | 5,004,572 | jquery automatically scrolling table rows but with table header fixed? | <p>I know there are code sample/plugins out there to make the header fixed and the table scrollable. But I want to achieve is <strong>automatically</strong> scrolling table data rows once it's loaded, but keep the header fixed.</p>
<p>Is there a plugin/jquery code to do just that?</p>
<p>thanks</p>
| javascript jquery | [3, 5] |
483,327 | 483,328 | Controlling the submit behaviour of an ImageButton in ASP.NET | <p>I have a image button in a page which can be triggered on mouse click, by default it gets triggered on enter press also which i want to disable.
how to make the submit behaviour of the <code>aspx:image</code> button false</p>
| c# asp.net | [0, 9] |
2,036,072 | 2,036,073 | c# DataTable Adding Data from Table | <p>I have a datatable being populated however one of the fields is a drop down list which is derived from a database connection. When I click add it always add the same data despite my selection and then removes the first item in the list.</p>
<p>ASPX Code</p>
<pre><code><asp:TableCell><asp:DropDownList runat="server" ID="txtProduct"></asp:DropDownList></asp:TableCell>
</code></pre>
<p>CS Code for Dropdown List</p>
<pre><code>public void Fill1()
{
string connectionString = WebConfigurationManager.ConnectionStrings["CRM2Sage"].ConnectionString;
using (SqlConnection _con = new SqlConnection(connectionString))
using (SqlCommand cmd = new SqlCommand("SELECT * FROM Products", _con))
{
cmd.Connection.Open();
SqlDataReader ddlValues;
ddlValues = cmd.ExecuteReader();
txtProduct.DataSource = ddlValues;
txtProduct.DataValueField = "Description";
txtProduct.DataTextField = "Description";
txtProduct.DataBind();
cmd.Connection.Close();
cmd.Connection.Dispose();
}
}
</code></pre>
<p>Any thoughts as to how to fix this?</p>
| c# asp.net | [0, 9] |
2,900,240 | 2,900,241 | pass eventdata to event handler in javascript | <p>I have two div :</p>
<pre><code><div id="div1"></div>
<div id="div2"></div>
</code></pre>
<p>and i have the following jquery for div1:</p>
<pre><code> $('#div1').click(function(e)
{
alert(e.pageX + ' ' + e.pageY);
});
</code></pre>
<p>.
Now, i want to trigger click eventhandler of div1 to execute on clcicking of div2.
For this i wrote:</p>
<pre><code>$('div2').click(function(e)
{
$('#div1').trigger('click');
});
</code></pre>
<p>It's working fine but the problem is i am not able to get e.pageX and e.pageY in the event handler of div1.
How to pass eventdata of div2 click event handler i.e e to div1 clcick event handler.
Please help.</p>
| javascript jquery | [3, 5] |
1,111,147 | 1,111,148 | Trying to pass dynamic values to a parameter in an SQL Data Source control | <p>I have some values that are being passed to a ASP.NET page using C# but I need those values to be set as parameters for an SQL datasource. I am just getting started with C# and ASP.NET so any help will be appreciated.</p>
<p>The data source code I have is as follows:</p>
<pre><code><asp:SqlDataSource ID="SqlDataSource1" runat="server"
ConnectionString="<%$ ConnectionStrings:PRS_atlantaConnectionString %>"
SelectCommand="SELECT [ExtNum] FROM [EXTINFORMATION] WHERE (([LastName] = @LastName) AND ([FirstName] = @FirstName))">
<SelectParameters>
<asp:Parameter DefaultValue="DYNAMIC_VALUE_HERE" Name="LastName" Type="String" />
<asp:Parameter DefaultValue="DYNAMIC_VALUE_HERE" Name="FirstName" Type="String" />
</SelectParameters>
</asp:SqlDataSource>
</code></pre>
<p>Currently I am displaying the values on the page using the following code:</p>
<pre><code><%= FirstName %>
<%= LastName %>
</code></pre>
<p>Any help again will be appreciate it.</p>
| c# asp.net | [0, 9] |
2,264,857 | 2,264,858 | While loading page in mozilla, First DIV code is not loaded | <p>While loading page in mozilla, First DIV code is not loaded
tried to load html using inside</p>
<pre><code><div id="mainContent"></div>
</code></pre>
<p>with below call</p>
<pre><code>if (destinationURL != null) {
$.get(destinationURL, function(data)
{
$("#mainContent").attr("innerHTML",data);
});
}
</code></pre>
<p>destinationURL refers below sample html</p>
<pre><code><div id="A1">
<div id="B1">
<div id="c1">
<span>hi</span>
</div>
<div id="c2"></div>
</div>
<div id="B2">
<div id="D1">
<span>hi2</span>
</div>
<div id="D2"></div>
</div>
<div id="B3">
<div id="E1"></div>
<div id="E2"></div>
</div>
<div id="B4">
<div id="F1"></div>
<div id="F2"></div>
</div>
</div>
</code></pre>
<p>but, when html loads</p>
<pre><code>$("#c1") refers null object
</code></pre>
<p>if i see </p>
<pre><code>$("#D1") contains html.
</code></pre>
<p>if i give alert message on onLoad, i can able to get Html. Its happening only in mozilla</p>
| javascript jquery | [3, 5] |
2,680,140 | 2,680,141 | NameValueCollection returns Length Property instead of Name Value | <p>Could someone shed some light on this my NameValueCollection returns the Length property instead of Name and Value could some show me what im doing wrong here. I can't set the DataTextField or DataValueField for the dropdownlist it just gives me length.</p>
<pre><code> public NameValueCollection GetDisplayForumGroups()
{
using (CMSEntities db = new CMSEntities())
{
var forums = (from x in db.Forums where x.ParentID == null select new { Name = x.Title, Value = x.ForumID });
NameValueCollection collection = new NameValueCollection();
foreach (var forum in forums)
{
collection.Add(forum.Name, forum.Value.ToString());
}
return collection;
}
}
public Dictionary<string, int> GetDisplayForumGroups()
{
using (CMSEntities db = new CMSEntities())
{
Dictionary<string, int> forums = (from x in db.Forums where x.ParentID == null select x).ToDictionary(x => x.Title, x => x.ForumID);
return forums;
}
}
</code></pre>
| c# asp.net | [0, 9] |
2,256,798 | 2,256,799 | Mobile Browser - Back Button | <p>I have a doubt. Please make me clear.
I know we could not disable the mobile browser back button. But,</p>
<p>Is it possible to change the events of <strong>mobile browsers</strong> back button ?
[Mobile Browser :iPhone - Safari, Android - Chrome , W7 - IE , Opera Mobile,</p>
<p>Regards,
Girija</p>
| iphone android | [8, 4] |
453,727 | 453,728 | What's the best way of storing application data in Android? | <p>Suppose you were writing an app that stored a large, ordered data structure that remains static through the life of the application. What's the best way of including that kind of data in your Android app?</p>
<p>(In my particular case, I'm working on a Unicode character map, and I need a place to stick data about the characters to display.)</p>
| java android | [1, 4] |
4,109,882 | 4,109,883 | How to change a value of a container? | <p>I have following piece of code:</p>
<pre><code>if (json.result=='OK') {
message="Your correction has been added successfully";
$("#ShoppingCartView.custom_terms_n_conditions/24").empty();
$("#ShoppingCartView.custom_terms_n_conditions/24").html('123');
}
alert(message);
</code></pre>
<p>There is the problem: I can see alert with message, but the element with id="ShoppingCartView.custom_terms_n_conditions/24" doesn't change its value! This element exists really, and I don't understand why. Please, help me. </p>
| javascript jquery | [3, 5] |
1,659,353 | 1,659,354 | jQuery animate - get future position of element | <p>I'm having trouble getting the position of an element because my animation is long and $(this).position().top is calculated too early.</p>
<p>How can I get a future position value of an element before it animates to that position? </p>
| javascript jquery | [3, 5] |
1,092,991 | 1,092,992 | What is the most efficient way of creating an HTML element and appending attributes to it and then wrapping it inside of another element? | <p>I found <a href="http://stackoverflow.com/a/5674985/538786">this answer</a>, which is great. But what If I also have to wrap another element around that element? This is how I'm doing it now:</p>
<p>$<code>('#screenshots').append($('<a href="' + link + '" title="' + title + '"><img src="' + el + '" alt="" width="200px" height="200px"></a>'));</code></p>
<p>Is there a better method of doing it this way?</p>
| javascript jquery | [3, 5] |
2,498,042 | 2,498,043 | Ignore headphones on Android 2.2.2 | <p>Is there a way in Android 2.2.2 to override the headphone port?</p>
<p>For example, a service that was able to tell the phone that headphones have been removed. The <code>BroadcastReceiver</code> doesn't look like it'd be able to tell the phone anything, just listen for when things change.</p>
<p>I want to do this because my LG phone thinks there's headphones in even when there is not, making it necessary to use speakerphone for all my calls.</p>
| java android | [1, 4] |
453,392 | 453,393 | Using C# or C++ how can you change a computer monitor's color and brightness settings? | <p>How to change computers colour settings and screen brightness?</p>
<p>I'm creating an application and part of it I want to be able to click a button to change the screen brightness of your monitor. I also want to be able to change the colour settings so I can flick from colour to black and white/grey scale.</p>
<p>I was originally going to use .NET but I really don't think that's possible at all.</p>
<p>I can't work out how to actually change a computers settings. Can anyone help?</p>
| c# c++ | [0, 6] |
2,675,175 | 2,675,176 | jquery ajax wont return text and or fire alert on error | <blockquote>
<p><strong>Possible Duplicate:</strong><br>
<a href="http://stackoverflow.com/questions/1327024/jquery-return-the-value-of-a-ajax-call-to-caller-function">Jquery: Return the value of a ajax call to caller function?</a> </p>
</blockquote>
<p>In the code below ,</p>
<p>I'm trying to put my ajax call in a function that needs it but makeIt() wont return "usa from the ajax call ? Or am I going about this all wrong?</p>
<pre><code>var makeIt = function () {
var getStuff = function () {
return $.ajax({
type: "POST",
url: "my.php",
data: {
id: "2"
},
success: function (data) {
data
}, // data will return string "usa"
error: function () {
alert("error");
}
});
};
return getStuff();
};
var result = makeIt() //result should = "usa"
</code></pre>
| javascript jquery | [3, 5] |
5,191,542 | 5,191,543 | validate if all YES/NO radio button groups are checked and validate if all are YES | <p>I'd like to have a form with 3 questions each having a pair of YES/NO radio buttons. Upon form submission, first I need to validate if all questions are answered with <code>"yes"</code> or <code>"no"</code> then I need to validate if the answer of all 3 questions are <code>YES</code>. If <code>YES</code> on all then it can proceed to next page if not an error should popup saying "Not qualified" and offer a link or a button to get the user back to home page.
Thank you</p>
<p>This is checking if all are answered:</p>
<pre><code>$(":radio").change(function() {
var names = {};
$(':radio').each(function() {
names[$(this).attr('name')] = true;
});
var count = 0;
$.each(names, function() {
count++;
});
if ($(':radio:checked').length === count) {
alert("all answered");
}
}).change();
</code></pre>
| php jquery | [2, 5] |
5,876,789 | 5,876,790 | jquery to find all exact td matches | <pre><code>$('#servertable td:eq(' + server + ')')
</code></pre>
<p>this finds only 1 (first I think) match, how to find all matches.
btw. td:contains will not work for me.</p>
| javascript jquery | [3, 5] |
1,042,720 | 1,042,721 | How do I prevent JQuery animate calls from getting queued up? | <p><strong>Background</strong></p>
<p>I am working on a project that relies heavily on JQuery .animate(), it occasionally receives external updates via Socket.io that call animate(). When the window is open, everything runs fine and animate calls can run asynchronously.</p>
<p><strong>Problem</strong></p>
<p>However, when the browser is minimized or a different tab is open then reopened, all the animations that should have been run while it was closed are queued up and run in that they were received.</p>
<p><em>Here is the animate call:</em></p>
<pre><code>$(div).animate({
'top': this.topPos(),
'right': this.rightPos()
}, 100);
</code></pre>
<p>Is there a simple way to add on option to the animate() call or call some jquery function or should I just add the appropriate logic to the application?</p>
<p>Thanks.</p>
| javascript jquery | [3, 5] |
Subsets and Splits