pid
int64 2.28k
41.1M
| label
int64 0
1
| text
stringlengths 1
28.3k
|
---|---|---|
15,862,443 | 0 | Populate cells with two numbers only using vba <p>Please help me, what I am trying to do is to populate cells N2:N1041 with numbers 0 and 2. I want total of 100 cells (random cells to be filled in) in column N to be populated with "0" and the remaining 940 cells to have "2". Or in other words, I want the 9.6% of the range (N2:N1041) to be filled with "0" and the rest with "2".</p> <p>Thank you so much in advance. </p> |
21,150,512 | 0 | Best way to retrieve the prototype of a JS object <p>Trying to understand Prototypes in Javascript. For this example:</p> <pre><code>var obj = new Function(); obj.prototype.x = "a"; </code></pre> <p>Why do I get different results from </p> <pre><code>console.log(obj.__proto__); </code></pre> <p>and </p> <pre><code>console.log(obj.prototype); </code></pre> <p>Thanks</p> |
9,271,901 | 0 | <p>That's definitely an error with <code>getdisc</code> not being visible to the linker but, if what you say is correct, that shouldn't happen.</p> <p>The <code>gcc</code> command line you have includes <code>graph1.c</code> which you assure use contains the function.</p> <p>Don't worry about the object file name, that's just a temprary name created by the compiler to pass to the linker.</p> <p>Can you confirm (exact cut and paste) the <code>gcc</code> command line you're using, and show us the function definition with some context around it?</p> <p>In addition, make sure that <code>graph1.c</code> is being compiled as expected by inserting immediately before the <code>getdisc</code> function, the following line:</p> <pre><code>xyzzy plugh twisty; </code></pre> <p>If your function is being seen by the compiler, that should cause an error <em>first.</em> It may be something like <code>ifdef</code> statements causing your code not to be compiled.</p> <p>By way of testing, the following transcript shows that what you are <em>trying</em> to do works just fine:</p> <pre><code>pax> cat shells2.c #include "graph2.h" int main (void) { int x = getdisc (); return x; } pax> cat graph2.h int getdisc (void); pax> cat graph1.c int getdisc (void) { return 42; } pax> gcc -o rr4 shells2.c graph1.c pax> ./rr4 pax> echo $? 42 </code></pre> <p>We have to therefore assume that what you're <em>actually</em> doing is something different, and that's unusually tactful for me :-)</p> <p>What you're experiencing is what would happen with something like:</p> <pre><code>pax> gcc -o rr4 shells2.c /tmp/ccb4ZOpG.o: In function `main': shells2.c:(.text+0xa): undefined reference to `getdisc' collect2: ld returned 1 exit status </code></pre> <p>or if <code>getdisc</code> was <em>not</em> declared correctly in <code>graph1.c</code>.</p> <p>That last case could be for many reasons including, but not limited to:</p> <ul> <li>mis-spelling of <code>getdisc</code>.</li> <li><code>#ifdef</code> type statements meaning the definition is never seen (though you seem to have discounted that in a comment).</li> <li>some wag using <code>#define</code> to change <code>getdisc</code> to something else (unlikely, but possible).</li> </ul> |
37,013,246 | 0 | <p>When I make an zero array with your dtype</p> <pre><code>In [548]: dt=np.dtype([('MSFT','float'),('CSCO','float'),('GOOG','float') ]) In [549]: A = np.zeros(3, dtype=dt) In [550]: A Out[550]: array([(0.0, 0.0, 0.0), (0.0, 0.0, 0.0), (0.0, 0.0, 0.0)], dtype=[('MSFT', '<f8'), ('CSCO', '<f8'), ('GOOG', '<f8')]) </code></pre> <p>notice that the display shows a list of tuples. That's intentional, to distinguish the <code>dtype</code> records from a row of a 2d (ordinary) array.</p> <p>That also means that when creating the array, or assigning values, you also need to use a list of tuples.</p> <p>For example let's make a list of lists:</p> <pre><code>In [554]: ll = np.arange(9).reshape(3,3).tolist() In [555]: ll In [556]: A[:]=ll ... TypeError: a bytes-like object is required, not 'list' </code></pre> <p>but if I turn it into a list of tuples:</p> <pre><code>In [557]: llt = [tuple(i) for i in ll] In [558]: llt Out[558]: [(0, 1, 2), (3, 4, 5), (6, 7, 8)] In [559]: A[:]=llt In [560]: A Out[560]: array([(0.0, 1.0, 2.0), (3.0, 4.0, 5.0), (6.0, 7.0, 8.0)], dtype=[('MSFT', '<f8'), ('CSCO', '<f8'), ('GOOG', '<f8')]) </code></pre> <p>assignment works fine. That list also can be used directly in <code>array</code>.</p> <pre><code>In [561]: np.array(llt, dtype=dt) Out[561]: array([(0.0, 1.0, 2.0), (3.0, 4.0, 5.0), (6.0, 7.0, 8.0)], dtype=[('MSFT', '<f8'), ('CSCO', '<f8'), ('GOOG', '<f8')]) </code></pre> <p>Similarly assigning values to one record requires a tuple, not a list:</p> <pre><code>In [563]: A[0]=(10,12,14) </code></pre> <p>The other common way of setting values is on a field by field basis. That can be done with a list or array:</p> <pre><code>In [564]: A['MSFT']=[100,200,300] In [565]: A Out[565]: array([(100.0, 12.0, 14.0), (200.0, 4.0, 5.0), (300.0, 7.0, 8.0)], dtype=[('MSFT', '<f8'), ('CSCO', '<f8'), ('GOOG', '<f8')]) </code></pre> <p>The <code>np.rec.fromarrays</code> method recommended in the other answer ends up using the copy-by-fields approach. It's code is, in essence:</p> <pre><code>arrayList = [sb.asarray(x) for x in arrayList] <determine shape> <determine dtype> _array = recarray(shape, descr) # populate the record array (makes a copy) for i in range(len(arrayList)): _array[_names[i]] = arrayList[i] </code></pre> |
31,987,320 | 0 | <p>Google recommands to not use WakefulBroadcastReceiver anymore but GCMReceiver and GcmListenerService on Android. Making this change may solve your problem</p> <p><a href="https://developers.google.com/cloud-messaging/android/client" rel="nofollow">source here</a></p> |
17,011,677 | 0 | <p>I think you're going to have to handle the quotes after you get the token back because in <a href="http://docs.oracle.com/javase/7/docs/api/java/util/Scanner.html#next%28java.util.regex.Pattern%29" rel="nofollow">the <code>Scanner#next(String)</code> method</a>, the regex is used to <em>test</em> the next token, not to <em>determine</em> the next token.</p> <p>So, rather than getting the tokenizer to return <code>x</code>, you're going to have to expect the tokenizer to return <code>'x',</code>, and then make that output work. Fortunately, this isn't hard. A quick and dirty way to do that would look like this:</p> <pre><code>String quotedToken=scanner.next(); quotedToken = quotedToken.replace('\'', ' '); quotedToken = quotedToken.replace(',', ' '); quotedToken = quotedToken.trim(); </code></pre> <p>It's probably also worth noting that you can get the <code>Scanner</code> to handle your commas for you if you get a little clever with your delimiter:</p> <pre><code>`scanner.useDelimiter(",?\\s+");` </code></pre> |
6,129,787 | 0 | MYSQL Statistics <p>I write a class to check some statistics and I don't know what mean the terms and If they are bad </p> <blockquote> <pre><code>$array = explode(" ", mysql_stat()); foreach ($array as $value){ echo $value . "<br />"; } </code></pre> </blockquote> <p>and output:</p> <pre><code>Uptime: 4520 Threads: 3 Questions: 295957 Slow queries: 0 Opens: 905 Flush tables: 1 Open tables: 32 Queries per second avg: 65.477 </code></pre> <p>is something wrong ? </p> <p>PS: <strong>any way to find out unclosed mysql connections ??</strong></p> <p>Thanks!</p> |
40,053,035 | 0 | <p>Create a <a href="https://msdn.microsoft.com/en-us/library/windows/desktop/ms632599.aspx#message_only">message-only window</a>, and handle the <a href="https://msdn.microsoft.com/en-us/library/windows/desktop/aa376890.aspx">WM_QUERYENDSESSION</a> and/or <a href="https://msdn.microsoft.com/en-us/library/windows/desktop/aa376889.aspx">WM_ENDSESSION</a> messages.</p> |
16,880,871 | 0 | <p>I'd recommend not using synchronous ajax request, it would be better to use a callback. You could itterate through every house object like so:</p> <pre><code>function displayJson() { var i,h,ret=[]; var myDiv =document.getElementById("content"); // houseone and housetwo for (h in houses) { // houseone and housetwo are arrays: [house,house,house] // for every house in this array do: for(i=0;i<houses[h].length;i++){ var home = houses[h][i]; ret.push(houseDetails(home,i)); } } //setting innerHTML is resource intensive // no reason to do this within a loop. myDiv.innerHTML=ret.join(""); } </code></pre> |
32,503,253 | 0 | How to move a node to the position I touch in SpriteKit with Swift? <p>I am creating a game like Doodle Jump (without the accelerometer).</p> <p>I have been trying to figure this out, but I can't seem to make it run as smoothly as I've been hoping. </p> <p>Here is my code for my touches functions:</p> <pre><code>override func touchesBegan(touches: Set<NSObject>, withEvent event: UIEvent) { for touch: AnyObject in touches { let touchLocation = touch.locationInNode(self) lastTouch = touchLocation } } override func touchesMoved(touches: Set<NSObject>, withEvent event: UIEvent) { for touch: AnyObject in touches { let touchLocation = touch.locationInNode(self) lastTouch = touchLocation } } override func touchesEnded(touches: Set<NSObject>, withEvent event: UIEvent) { lastTouch = nil } override func update(currentTime: CFTimeInterval) { if let touch = lastTouch { let impulseVector = CGVector(dx: 400, dy: 400) player.physicsBody?.applyImpulse(impulseVector) } } </code></pre> |
9,889,226 | 0 | show server time using php and jquery ajax <p>I was trying to show the date and time of server using php and jquery ajax. following are the jquery script to show datetime </p> <pre><code><script type= "text/javascript" src="jquery-1.4.1.min.js"> </script> <script type= "text/javascript"> $(document).ready(function() { function update() { $.ajax({ type: 'POST', url: 'datetime.php', timeout: 1000, success: function(data) { $("#timer").html(''); window.setTimeout(update, 1000); }, }); } }); </script> <div id="timer"> </div> </code></pre> <p>following are php script for datetime.php</p> <pre><code> <?php $msg = date('d/m/Y h:i:s'); echo $msg; ?> </code></pre> <p>I don't what is going wrong. It's not showing output. Any help</p> |
27,106,380 | 0 | <p>Seems like the <code>webkitbeginfullscreen</code> event is getting fired.</p> <p>So now I probably will use something like this:</p> <pre><code>videoEl.addEventListener('webkitbeginfullscreen', function() { screen.lockOrientation('landscape-primary'); }, false); videoEl.addEventListener('webkitendfullscreen', function() { screen.lockOrientation('portrait-primary'); }, false); </code></pre> <p>See <a href="http://stackoverflow.com/a/22010698/2235793">http://stackoverflow.com/a/22010698/2235793</a></p> <p>NOTE: theses two events are not fired on a nexus 5 running android 4.4.4 (inside cordova v3.6). But there, webkitfullscreenchange event is fired on enter and exit. Sigh.</p> |
32,141,981 | 0 | <p>From the command line you can run specific scenarios from the same feature file using a colon between the line numbers, like this:</p> <pre><code>cucumber tests/features/my.feature:37:52 </code></pre> <p>If scenarios are defined at lines 37 and 52, both would be executed by cucumber.</p> <p>You can likewise run specific examples by referencing their line number. In your case, this would work:</p> <pre><code>cucumber tests/features/my.feature:141:142:143:144:145:146:147:148:149:150:151 </code></pre> <p>Cucumber will execute the example found at each line number.</p> |
15,120,243 | 0 | <p>Easiest example I can think of would be a method that sends some content to a JMS server. If you are in the context of a transaction, you want the message to be coupled to the transaction scope. But if there isn't already a transaction running, why bother calling the transaction server also and starting one just to do a one-off message?</p> <p>Remember these can be declared on an API as well as an implementation. So even if there isn't much difference for your use case between putting it there and putting nothing there, it still adds value for an API author to specify what operations are able to be included in a transaction, as opposed to operations that perhaps call an external system that does not participate in transactions.</p> <p>This is of course in a JTA context. The feature doesn't really have much practical use in a system where transactions are limited to resource-local physical database transactions.</p> |
20,407,954 | 0 | Javascript obfuscate AJAX code <p>First of all sorry if the name of the topic isn't the most correct.</p> <p>Imagine the following code which connects to a PHP file by AJAX.</p> <pre><code>function get_locales(){ var the_locale = $('#page-add-text').val(); var url = "classes/load_info.php?type=locale&value=" + the_locale; var all = ""; $.getJSON(url, function(data){ $.each(data, function(index, item){ all += "<li data-name='" + item.value + "'></li>"; }); $("#page-add-listview").html(all); $("#page-add-listview").trigger("change"); $("#page-add-listview").listview("refresh"); }); } </code></pre> <p>If people download the page, they will see <code>classes/load_info.php?type=locale&value= + the_locale;</code> With this they automatically assume that the url is: <code>www.stackoverflow.com/classes/load_info.php?type=locale&value=TESTING;</code></p> <p>So, they can view/retrieve what the function prints, plus, they might try to get some bugs. I'm asking for help in know-how of best ways (if there is any..) to avoid this.</p> <p>Thank you.</p> |
37,210,054 | 0 | Show nearby therapist when user gives place input using google maps javascript api <p>I've integrated google maps javascript api in my web app to use some of its features. I am fetching the user's current location and displaying nearby physiotherapist based on their current location. Now I also want to display nearby physiotherapist base on user's input. Like I am using google search box, so whenever user will type some place and click on search, it will display all the nearby physiotherapist according to that input.</p> <p>I've implemented the following-</p> <ul> <li>Fetching current location</li> <li>Nearby physiotherapist based on current location</li> <li>Autocomplete search box</li> </ul> <p>What I want to achieve-</p> <ul> <li>Show nearby physiotherapist based on user's input (place)</li> </ul> <p>I am getting confused on how to achieve this. It would be great if someone can help me with this</p> <p><strong>Javascript</strong>:-</p> <pre><code><script> // Determine support for Geolocation and get location or give error if (navigator.geolocation) { navigator.geolocation.getCurrentPosition(displayPosition, errorFunction); } else { alert('It seems like Geolocation, which is required for this page, is not enabled in your browser. Please use a browser which supports it.'); } // Success callback function function displayPosition(pos) { var mylat = pos.coords.latitude; var mylong = pos.coords.longitude; //Load Google Map var latlng = new google.maps.LatLng(mylat, mylong); var myOptions = { zoom: 12, center: latlng, mapTypeId: google.maps.MapTypeId.ROADMAP }; var map = new google.maps.Map(document.getElementById("map"), myOptions); var infowindow = new google.maps.InfoWindow({ map: map }); // Places var request = { location: latlng, radius: '5000', type: ['physiotherapist'] }; var service = new google.maps.places.PlacesService(map); service.search( request, callback ); function callback(results, status) { if (status == google.maps.places.PlacesServiceStatus.OK) { for (var i = 0; i < results.length; i++) { var place = results[i]; createMarker(results[i]); } } } function createMarker(place) { var placeLoc = place.geometry.location; var marker = new google.maps.Marker({ map: map, position: place.geometry.location }); google.maps.event.addListener(marker, 'click', function() { infowindow.setContent(place.name); infowindow.open(map, marker); }); } var marker = new google.maps.Marker({ position: latlng, map: map, title:"You're here" }); // Create the search box and link it to the UI element. var input = document.getElementById('pac-input'); var searchBox = new google.maps.places.SearchBox(input); map.controls[google.maps.ControlPosition.TOP_LEFT].push(input); // Bias the SearchBox results towards current map's viewport. map.addListener('bounds_changed', function() { searchBox.setBounds(map.getBounds()); }); var markers = []; // Listen for the event fired when the user selects a prediction and retrieve // more details for that place. searchBox.addListener('places_changed', function() { var places = searchBox.getPlaces(); if (places.length == 0) { return; } // Clear out the old markers. markers.forEach(function(marker) { marker.setMap(null); }); markers = []; // For each place, get the icon, name and location. var bounds = new google.maps.LatLngBounds(); places.forEach(function(place) { var icon = { url: place.icon, size: new google.maps.Size(71, 71), origin: new google.maps.Point(0, 0), anchor: new google.maps.Point(17, 34), scaledSize: new google.maps.Size(25, 25) }; // Create a marker for each place. markers.push(new google.maps.Marker({ map: map, icon: icon, title: place.name, position: place.geometry.location })); if (place.geometry.viewport) { // Only geocodes have viewport. bounds.union(place.geometry.viewport); } else { bounds.extend(place.geometry.location); } }); map.fitBounds(bounds); }); } // Error callback function function errorFunction(pos) { alert('It seems like your browser or phone has blocked our access to viewing your location. Please enable this before trying again.'); } </script> </code></pre> |
25,242,974 | 0 | If div wider cut left side of div <p>I couldn't find anything similar that's why I need your help.</p> <p>I'm trying to do something similar to <a href="http://jsbin.com/xeniy/1/edit" rel="nofollow">this</a></p> <p>The idea is the inner div floated to left but when it became wider than the parent it's stick to the right side of the parent and part of the left side became hidden. And because the content dynamic I can't just change float when I need that. I tried at least ten different method but still couldn't figure out.</p> |
16,129,329 | 0 | <p>This is all you need:</p> <pre><code>... <key>cell</key> <string>PSButtonCell</string> <key>action</key> <string>buttonCellClicked:</string> ... </code></pre> <p>This will make a button cell and send the <code>buttonCellClicked:</code> message on the preferences view controller.</p> |
6,346,492 | 1 | how to stop a for loop <p>I am writing a code to determine if every element in my nxn list is the same. i.e. [[0,0],[0,0]] returns true but [[0,1],[0,0]] will return false. I was thinking of writing a code that stops immediately when it finds an element that is not the same as the first element. i.e:</p> <pre><code>n=L[0][0] m=len(A) for i in range(m): for j in range(m): if L[i][j]==n: -continue the loop- else: -stop the loop- </code></pre> <p>I would like to stop this loop if <code>L[i][j]!==n</code> and return false. otherwise return true. How would I go about implementing this?</p> |
28,118,476 | 0 | my header-files (.h) are too large to render the 3d model in opengl es 2 <p>Im trying to render different 3D-models in open-gl ES 2. I created some models with Cinema4d and export them as an .obj wavefront file. Then I use the really helpful perl script (<a href="https://github.com/HBehrens/obj2opengl" rel="nofollow">https://github.com/HBehrens/obj2opengl</a>) to convert that into a headerfile. The reason for this is that the Vuforia (<a href="https://www.qualcomm.com/products/vuforia" rel="nofollow">https://www.qualcomm.com/products/vuforia</a>) Example, which supports augmented reality, render their models from a header-file too. My problem is, that the header file is often 7 times bigger than the .obj file (same model!) and the first rendering lets lagging my application. What can I do about this problem?</p> |
3,814,533 | 0 | <p>sorry for question... are you sure that you check between 2 integer values?... and if yes... in the html that you have, do you have the background color in the TD elements of the table? If you have the color code in the html code, maybe it's a problem of css style definition.</p> |
40,691,960 | 0 | Masm 16bit converting Ascii to byte <p>I'm a beginner in assembly language and I have to find a solution fast.<br> The thing is I have to read a number from the person (3 digits), convert it to an integer and compare it to two values.<br> The problem is that after converting the comparisons are off, sometimes the result is correct sometimes it's not.</p> <pre><code>pile segment para stack 'pile' db 256 dup (0) pile ends data segment ageper db 4,5 dup(0) bigg db 13,10,"bigger than 146 ",13,10,"$" lesss db 13,10,"less than 0 ",13,10,"$" right db 13,10,"correct number 123 ",13,10,"$" theint db 0 exacnumber db 123 data ends code segment main proc far assume cs:code assume ds:data assume ss:pile mov ax,data mov ds,ax mov ah,0ah lea dx,ageper int 21h mov ch,0 cmp ageper[4],0 jz phase2 mov ah,ageper[4] sub ah,48 add theint,ah phase2: mov cl,10 cmp ageper[3],0 jz phase3 mov ah,ageper[3] sub ah,48 mov al,ah mul cl add theint,al phase3: mov cl,100 cmp ageper[2],0 jz phase4 mov ah,ageper[2] sub ah,48 mov al,ah mul cl add theint,al phase4: cmp theint,123 je yes cmp theint,130 jg big cmp theint,0 jl less jmp ending big: mov ah,09h lea dx,bigg int 21h jmp ending yes: mov ah,09h lea dx,right int 21h jmp ending less: mov ah,09h lea dx,lesss int 21h ending: mov ageper,20 mov ageper[1],20 mov ah,02 lea dx,theint int 21h mov ah,4ch int 21h main endp code ends end main </code></pre> |
35,502,612 | 0 | How to grow computational thinking <p>As a beginner java programmer,I found how I think in terms of solving a problem is more important than how much of the language and built in methods/shortcuts I know.My worst enemy in learning the programming language is when I get stuck and don't know how to approach.I was wondering is there any good book that will enhance my computation thinking and problem solving abilities?I can persevere and solve problems but I feel I lack tools/insights required.</p> |
11,395,123 | 0 | how to execute the stored procedure in hibernate 3 <p>I am new in hibernate. I am using hibernate 3 in my application using hibernate annotations , I am developing application in struts 1.3. </p> <p>My question is : I have googled a lot but could not understand how to call a stored procedure in <strong>hibernate using annotations</strong> , I have a simple scenario : suppose I have 2 fields in my jsp say 1) code 2) name , I have created a stored procedure in database for inserting those records into table. Now my problem is that how to execute it</p> <pre><code> List<MyBean> list = sessionFactory.getCurrentSession() .getNamedQuery("mySp") .setParameter("code", code) .setParameter("name", name) </code></pre> <p>I don't know the exact code how to do this. But I guess something like that actually I come from jdbc background therefore have no idea how to do this and same thing I want when <strong>selecting</strong> the data from database using stored procedure.</p> |
6,872,347 | 0 | Overloading operator== <p>Guys I have some silly struct let's call it X and I also have a fnc (not a member of it) returning a pointer to this struct so it looks like so: </p> <pre><code> struct X { bool operator==(const X* right) { //... } }; X* get(X* another) { //... } </code></pre> <p>I also have line in code which 'tries' to compare pointers to those structs but the real intention is to compare those structs pointed to:</p> <pre><code>if (get(a) == get(b))//here obviously I have two pointers returned to be compared { //... } </code></pre> <p>I also defined member of <code>X operator==(const X* right)</code> which suppose to work in situations aforementioned but for reason I do not understand it doesn't. How to make it work (I CANNOT change the line <code>if (get(a) == get(b))</code> and also <code>get</code> MUST return pointer).</p> |
37,612,866 | 0 | <p>use the below code:</p> <pre><code>WebElement elem = driver.findElement(By.xpath("//*[contains(text(),'Crème Banana Curd')]")); elem.getText(); </code></pre> <p>hope this will help you.</p> |
37,713,932 | 0 | What Language and Graphics Library is CLion made in? <p>I was wondering what language the CLion IDE was written in, and what Library is used to make the graphics for it.</p> |
19,757,403 | 0 | <p>You can evaluate <code>data$err[i]</code> in the outer loop.</p> <pre><code>for (i in 1:nrow(data)){ n.tmp <- d.tmp <- 0 datai <- data$err[i] for (j in i:nrow(data)){ wt <- some.step.function(data$X[j] + datai) n.tmp <- n.tmp + data$Y[j] / wt d.tmp <- d.tmp + 1 / wt } n[i] <- n.tmp d[i] <- d.tmp } </code></pre> |
19,678,530 | 0 | <p>It's somewhat subjective. I personally would prefer the latter, since it does not impose the cost of copying the vector onto the caller (but the caller is still free to make the copy if they so choose).</p> |
26,379,546 | 0 | <p>That you have a third action like this</p> <pre><code> public string Index(int id) { return "int"; } </code></pre> <p>would explain this behaviour</p> <p>of course you don't need the parameterless action either, that's just a special case of the message one, where message is empty</p> |
34,790,328 | 0 | <p>You don't need to do the roundtrip to DatetimeIndex, as these methods are avaliable for a Series (column) as well through the <code>dt</code> accessor:</p> <pre><code>aht['call_start'] = aht['start'].dt.tz_localize('US/Eastern').dt.tz_convert('US/Central') </code></pre> <p>And the same for <code>end</code>.<br> To remove the timezone information but keep it in the local time, you do another <code>.dt.tz_localize(None)</code> afterwards (see this question: <a href="http://stackoverflow.com/a/34687479/653364">http://stackoverflow.com/a/34687479/653364</a>)</p> |
26,965,690 | 0 | <p>If you are using windows machine try downloading binaries from here <a href="http://www.lfd.uci.edu/~gohlke/pythonlibs/" rel="nofollow">download python libraries</a></p> <p>Here you have an option to provide to which version of python you are trying to install. </p> |
40,493,624 | 0 | <p>The solution to your question depends highly on the device you are using. If you have a phone with a dedicated PTT button, the manufacturer of the phone almost certainly has made an Intent available for app developers such as yourself to intercept PTT down and up events, but you'll need to contact the manufacturer for more information.</p> <p>For instance, phones from Kyocera, Sonim, and Casio have such Intents available, and you'd simply need to put a receiver declaration in your AndroidManifest.xml, like this for a Kyocera phone:</p> <pre><code> <receiver android:exported="true" android:name="com.myapp.receiver.KeyReceiverKyocera"> <intent-filter android:priority="9999999"> <action android:name="com.kodiak.intent.action.PTT_BUTTON" /> <action android:name="com.kyocera.android.intent.action.PTT_BUTTON" /> </intent-filter> </receiver> </code></pre> <p>Then, a simple BroadcastReceiver class that receives the up and down intents:</p> <pre><code>public class KeyReceiverKyocera extends BroadcastReceiver { private static boolean keyDown = false; @Override public void onReceive(Context context, Intent intent) { String action = intent.getAction(); if (keyDown) processPTTDown(); else processPTTUp(); keyDown = !keyDown; } } </code></pre> <p>Hope this helps,</p> <p>Shawn</p> |
10,033,657 | 0 | <p>Give <code>TryUpdateModel(model)</code> a try, should fit your needs. </p> <p>This won't throw an exception, <strong>and it will</strong> update the model and then return <code>false</code> if there are validation errors.</p> <p>If you care about the errors, you check the <code>ModelState</code> in the false instance.</p> <p>Hence, you can use it as so to always save changes:</p> <pre><code>[HttpPost] public ActionResult Save(Model values) { var model = new Model(); TryUpdateModel(model); model.saveChanges(); } </code></pre> |
27,931,571 | 1 | ARMA.predict for out-of sample forecast does not work with floating points? <p>After i developed my little ARMAX-forecasting model for in-sample analysis i´d like to predict some data out of sample. </p> <p>The time series i use for forecasting calculation starts at 2013-01-01 and ends at 2013-12-31! </p> <p>Here is my data I am working with: </p> <pre><code>hr = np.loadtxt("Data_2013_17.txt") index = date_range(start='2013-1-1', end='2013-12-31', freq='D') df = pd.DataFrame(hr, index=index) holidays = ['2013-1-1', '2013-3-29', '2013-4-1', '2013-5-1', '2013-5-9', '2013-5-20', '2013-10-3', '2013-12-25', '2013-12-26'] # holidays for all Bundesländer idx = df.asfreq('B').index - DatetimeIndex(holidays) indexed_df = df.reindex(idx) # indexed_df = df.asfreq('B') (includes holidays) # 'D'=day #'B'=business day # W@MON=shows only mondays # external variable hr_ = np.loadtxt("Data_2_2013.txt") index = date_range(start='2013-1-1', end='2013-12-31', freq='D') df = pd.DataFrame(hr_, index=index) idx2 = df.asfreq('B').index - DatetimeIndex(holidays) external_df1 = df.reindex(idx2) external_df = external_df1.fillna(external_df1.mean()) </code></pre> <p>Out: </p> <pre><code> 0 2013-01-02 49.56 2013-01-03 48.09 2013-01-04 36.79 2013-01-07 60.84 2013-01-08 59.72 2013-01-09 61.88 2013-01-10 57.95 2013-01-11 56.29 2013-01-14 57.89 2013-01-15 64.49 2013-01-16 58.92 2013-01-17 62.30 2013-01-18 55.92 2013-01-21 55.67 2013-01-22 60.73 2013-01-23 60.12 2013-01-24 65.70 2013-01-25 55.15 2013-01-28 51.79 2013-01-29 39.69 2013-01-30 37.90 2013-01-31 37.60 2013-02-01 41.26 2013-02-04 29.18 2013-02-05 39.55 2013-02-06 47.57 2013-02-07 51.97 2013-02-08 46.95 2013-02-11 42.79 2013-02-12 51.83 ... ... 2013-11-18 58.04 2013-11-19 62.96 2013-11-20 63.90 2013-11-21 64.09 2013-11-22 64.78 2013-11-25 59.59 2013-11-26 70.69 2013-11-27 61.57 2013-11-28 47.87 2013-11-29 34.61 2013-12-02 68.77 2013-12-03 77.84 2013-12-04 63.09 2013-12-05 40.94 2013-12-06 38.60 2013-12-09 65.79 2013-12-10 68.98 2013-12-11 77.86 2013-12-12 76.44 2013-12-13 85.90 2013-12-16 53.51 2013-12-17 73.67 2013-12-18 59.76 2013-12-19 53.11 2013-12-20 38.33 2013-12-23 36.93 2013-12-24 11.30 2013-12-27 30.32 2013-12-30 39.94 2013-12-31 31.27 [252 rows x 1 columns] 0 2013-01-02 70770 2013-01-03 74155 2013-01-04 74286 2013-01-07 75360 2013-01-08 76910 2013-01-09 78561 2013-01-10 77427 2013-01-11 75260 2013-01-14 78738 2013-01-15 78286 2013-01-16 79568 2013-01-17 79761 2013-01-18 77518 2013-01-21 80089 2013-01-22 79915 2013-01-23 78607 2013-01-24 79761 2013-01-25 77908 2013-01-28 79873 2013-01-29 80535 2013-01-30 76340 2013-01-31 78244 2013-02-01 77749 2013-02-04 79125 2013-02-05 79001 2013-02-06 77837 2013-02-07 77495 2013-02-08 75372 2013-02-11 73856 2013-02-12 77494 ... ... 2013-11-18 76292 2013-11-19 77420 2013-11-20 74993 2013-11-21 76658 2013-11-22 74769 2013-11-25 78347 2013-11-26 77756 2013-11-27 79648 2013-11-28 80075 2013-11-29 78587 2013-12-02 76867 2013-12-03 76070 2013-12-04 80344 2013-12-05 81736 2013-12-06 79617 2013-12-09 78085 2013-12-10 78430 2013-12-11 78120 2013-12-12 77735 2013-12-13 75872 2013-12-16 78651 2013-12-17 76180 2013-12-18 75867 2013-12-19 76018 2013-12-20 71101 2013-12-23 66841 2013-12-24 64557 2013-12-27 66747 2013-12-30 64787 2013-12-31 61101 [252 rows x 1 columns] Descriptive statistics of ts: 0 count 252.000000 mean 44.583651 std 11.708938 min 11.300000 25% 34.597500 50% 44.200000 75% 51.947500 max 85.900000 Skewness of endog_var: [ 0.44315988] Kurtsosis of endog_var: [ 3.18049689] Correlation hr & hr_: (0.71074420030220553, 2.0635001219278823e-57) Augmented Dickey-Fuller Test for endog_var: (-2.9282259926181839, 0.042162780619902182, {'5%': -2.8698573654386559, '1%': -3.4492269328800189, '10%': -2.5712010851306641}, <statsmodels.tsa.stattools.ResultsStore object at 0x111e2ca50>) </code></pre> <p>Selection of p and q values: </p> <p>In: arma_mod = sm.tsa.ARMA(indexed_df, (3,3), external_df).fit() z = arma_mod.params print 'P- and Q-Values:' print z</p> <p>Out: </p> <pre><code>P- and Q-Values: const 19.674538 0 0.000345 ar.L1.0 -0.062796 ar.L2.0 0.340800 ar.L3.0 0.436345 ma.L1.0 0.613498 ma.L2.0 0.057267 ma.L3.0 -0.415455 dtype: float64 /Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/base/model.py:466: ConvergenceWarning: Maximum Likelihood optimization failed to converge. Check mle_retvals "Check mle_retvals", ConvergenceWarning) </code></pre> <p>Here´s what i do to forecast out of sample: </p> <p>In: </p> <pre><code>start_pred = '2014-1-3' end_pred = '2014-1-3' predict_price1 = arma_mod1.predict(start_pred, end_pred, external_df)#, dynamic=True) print ('Predicted Price (ARMAX): {}' .format(predict_price1)) </code></pre> <p>Out: </p> <pre><code>Traceback (most recent call last): File "<ipython-input-34-ad7feec95e4a>", line 6, in <module> predict_price1 = arma_mod1.predict(start_pred, end_pred, external_df)#, dynamic=True) File "/Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/base/wrapper.py", line 92, in wrapper return data.wrap_output(func(results, *args, **kwargs), how) File "/Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/tsa/arima_model.py", line 1441, in predict return self.model.predict(self.params, start, end, exog, dynamic) File "/Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/tsa/arima_model.py", line 711, in predict start = self._get_predict_start(start, dynamic) File "/Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/tsa/arima_model.py", line 646, in _get_predict_start method) File "/Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/tsa/arima_model.py", line 376, in _validate start = _index_date(start, dates) File "/Applications/anaconda/lib/python2.7/site-packages/statsmodels-0.6.1-py2.7-macosx-10.5-x86_64.egg/statsmodels/tsa/base/datetools.py", line 57, in _index_date "an integer" % date) ValueError: There is no frequency for these dates and date 2014-01-03 00:00:00 is not in dates index. Try giving a date that is in the dates index or use an integer </code></pre> <p>I DO NOT UNDERSTAND THIS ERROR! </p> <p>The arima source-code i.e. 'datetools.py' tells me the following: </p> <pre><code> except KeyError as err: freq = _infer_freq(dates) if freq is None: #TODO: try to intelligently roll forward onto a date in the # index. Waiting to drop pandas 0.7.x support so this is # cleaner to do. raise ValueError("There is no frequency for these dates and " "date %s is not in dates index. Try giving a " "date that is in the dates index or use " "an integer" % date) # we can start prediction at the end of endog if _idx_from_dates(dates[-1], date, freq) == 1: return len(dates) raise ValueError("date %s not in date index. Try giving a " "date that is in the dates index or use an integer" % date) def _date_from_idx(d1, idx, freq): """ Returns the date from an index beyond the end of a date series. d1 is the datetime of the last date in the series. idx is the index distance of how far the next date should be from d1. Ie., 1 gives the next date from d1 at freq. Notes ----- This does not do any rounding to make sure that d1 is actually on the offset. For now, this needs to be taken care of before you get here. """ </code></pre> <p>So that means that it should be possible to forecast out of sample. i just do not understand where and how i need to change my objects?!</p> <p>I found some older posts but they wont tell me what to do neither: <a href="http://stackoverflow.com/questions/27258465/python-out-of-sample-forecasting-arima-predict">Python out of sample forecasting ARIMA predict()</a> and <a href="http://stats.stackexchange.com/questions/76160/im-not-sure-that-statsmodels-is-predicting-out-of-sample">http://stats.stackexchange.com/questions/76160/im-not-sure-that-statsmodels-is-predicting-out-of-sample</a></p> <p>How to forecast data out of sample with the given information above? </p> <p>Help much appreciated</p> |
36,428,238 | 0 | Can I escape a color code in Powershell so I do not need to use -ForeGroundColor? <p>Is it possible to use some color-code escape character so that I do not need to mention -ForeGroundColor parameter?</p> <p>So instead of :</p> <pre><code>write-Host "Hello World!" -ForegroundColor:Blue </code></pre> <p>Can I do something like:</p> <pre><code>write-Host "Hello \{somethinghere to denote from this point it will be in BLUE color} World!" </code></pre> |
4,434,625 | 0 | Why are string in .net case sensitive by default? <p>Most times I want to do string comparisons I want them to be case insensitive.</p> <p>So why are string in .net case sensitive by default?</p> <p><strong>EDIT 1:</strong> To be clear I think the below should return true by default. Or at least allow me to have a compile time flag that makes it so.</p> <pre><code>"John Smith" == "JOHN SMITH" </code></pre> <p><strong>EDIT 2:</strong> I can think of many more examples of things that should be case insensitive</p> <p>Examples of things that should be case insensitive</p> <ul> <li>Usernames</li> <li>Urls</li> <li>File extensions / File names / Directory names / Paths </li> <li>Machine / servernames</li> <li>State / Country / Location etc</li> <li>FirstName / LastName / Initials</li> <li>Guids</li> <li>Month / Day names</li> </ul> <p>Examples of things that should be case sensitive</p> <ul> <li>Passwords</li> </ul> |
25,766,370 | 0 | Gradle and Maven compile my project but I am getting NoClassFoundError <p>I am trying to compile my project which uses Gradle and Maven. The project use another library on my local maven repository. The library is referenced in Gradle and Maven:</p> <p>Gradle:</p> <pre><code>dependencies{ compile 'cf.charly1811.java.utils:MimeType:1.0' } </code></pre> <p>Maven:</p> <pre class="lang-xml prettyprint-override"><code><!-- Dependencies --> <dependencies> <dependency> <groupId>cf.charly1811.java.utils</groupId> <artifactId>MimeType</artifactId> <version>1.0</version> </dependency> </dependencies> </code></pre> <p>When I try compile the project using <code>mvn clean package</code> or <code>gradle clean jar</code> it success. The error arises when the MimeType class is called:</p> <pre><code> Exception in thread "Thread-4" java.lang.NoClassDefFoundError: cf/charly1811/java/utils/MimeType at cf.charly1811.java.web.RequestHandlerThread.process(RequestHandlerThread.java:120) at cf.charly1811.java.web.RequestHandlerThread.handleRequest(RequestHandlerThread.java:85) at cf.charly1811.java.web.RequestHandlerThread.run(RequestHandlerThread.java:64) Caused by: java.lang.ClassNotFoundException: cf.charly1811.java.utils.MimeType at java.net.URLClassLoader$1.run(Unknown Source) at java.net.URLClassLoader$1.run(Unknown Source) at java.security.AccessController.doPrivileged(Native Method) at java.net.URLClassLoader.findClass(Unknown Source) at java.lang.ClassLoader.loadClass(Unknown Source) at sun.misc.Launcher$AppClassLoader.loadClass(Unknown Source) at java.lang.ClassLoader.loadClass(Unknown Source) ... 3 more </code></pre> <p>I don't know what causing this error... Please help.</p> <p>EDIT: MimeType pom.xml: </p> <pre class="lang-xml prettyprint-override"><code><project> <modelVersion>4.0.0</modelVersion> <name>MimeType</name> <description>Library to easily get the type of a file</description> <groupId>cf.charly1811.java.utils</groupId> <artifactId>MimeType</artifactId> <version>1.0</version> <licenses> <license> <name>Apache License, Version 2.0</name> <url>http://www.apache.org/licenses/LICENSE-2.0.txt</url> <distribution>repo</distribution> <comments>A business-friendly OSS license</comments> </license> </licenses> </project> </code></pre> <p>HttpServer (Main project) pom.xml</p> <pre class="lang-xml prettyprint-override"><code><project> <modelVersion>4.0.0</modelVersion> <name>HttpServer</name> <description>A simple HTTP Server written in JAVA</description> <groupId>cf.charly1811.java.web</groupId> <artifactId>HttpServer</artifactId> <version>1.0</version> <!-- Dependencies --> <dependencies> <dependency> <groupId>cf.charly1811.java.utils</groupId> <artifactId>MimeType</artifactId> <version>1.0</version> </dependency> </dependencies> <!-- License --> <licenses> <license> <name>Private use</name> <url>http://choosealicense.com/licenses/no-license/</url> <comments>This Software is for private use Only</comments> </license> </licenses> <build> <plugins> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-jar-plugin</artifactId> <configuration> <archive> <manifest> <addClasspath>true</addClasspath> <mainClass>cf.charly1811.java.Main</mainClass> </manifest> </archive> </configuration> </plugin> </plugins> </build> </project> </code></pre> <p>EDIT I forgot to clarify 1 thing: I use IntelliJ IDEA. When I try to compile the project using "Run" It compile everything and I don't get this error. It only happen when I use Gradle or Maven to compile the project</p> |
11,409,130 | 0 | <p><a href="https://en.wikipedia.org/wiki/Strassen_algorithm" rel="nofollow">https://en.wikipedia.org/wiki/Strassen_algorithm</a></p> <p>You can even find it in video lectures at MIT Opencourseware Intro to Algorithms course or Stanford's Algorithms course</p> |
24,559,490 | 0 | <p>Okay, with the help of Syfors' suggestions i have change the relationship between A and B:</p> <pre><code>class Aa implements Serializable { @Id @GeneratedValue(strategy = GenerationType.AUTO) private Long id; private String value; } @Entity class A implements Serializable { @Id @GeneratedValue(strategy = GenerationType.AUTO) private Long id; @JoinColumn(nullable = false) @OneToOne private Aa aa; @OneToMany(fetch = FetchType.EAGER, cascade = {CascadeType.ALL}, mappedBy = "owner") private List<B> data; } @Entity class B implements Serializable { @Id @GeneratedValue(strategy = GenerationType.AUTO) private Long id; @OneToOne private A owner; private String value; } </code></pre> <p>I have also found:</p> <blockquote> <p>[...]Normally it is best to define the ManyToOne back reference in Java[...]</p> </blockquote> <p>Source: <a href="http://en.wikibooks.org/wiki/Java_Persistence/OneToMany" rel="nofollow">http://en.wikibooks.org/wiki/Java_Persistence/OneToMany</a></p> <p>Now JPA doesn't generate a thrid table for the m:1 relationship and now my JPQL query works fine:</p> <pre><code>DELETE FROM B b WHERE b.id IN(SELECT k.id FROM A a JOIN a.data k WHERE a.id = :id) </code></pre> |
6,262,010 | 0 | <p>Okay, this answer is SQL Server specific, but should be adaptable to other RDBMSs, with a little work. So far as I see, we have the following constraints:</p> <ul> <li>An invoice may be associated with 0 or 1 Work Orders</li> <li>A Work Order must be associated with an invoice or an ABC or a DEF</li> </ul> <p>I'd design the WorkOrder table as follows:</p> <pre><code>CREATE TABLE WorkOrder ( WorkOrderID int IDENTITY(1,1) not null, /* Other Columns */ InvoiceID int null, ABCID int null, DEFID int null, /* Etc for other possible links */ constraint PK_WorkOrder PRIMARY KEY (WorkOrderID), constraint FK_WorkOrder_Invoices FOREIGN KEY (InvoiceID) references Invoice (InvoiceID), constraint FK_WorkOrder_ABC FOREIGN KEY (ABCID) references ABC (ABCID), /* Etc for other FKs */ constraint CK_WorkOrders_SingleFK CHECK ( CASE WHEN InvoiceID is null THEN 0 ELSE 1 END + CASE WHEN ABCID is null THEN 0 ELSE 1 END + CASE WHEN DEFID is null THEN 0 ELSE 1 END /* + other FK columns */ = 1 ) ) </code></pre> <p>So, basically, this table is constrained to only FK to one other table, no matter how many PKs are defined. If necessary, a computed column could tell you the "Type" of item that this is linked to, based on which FK column is non-null, or the type and a single int column could be real columns, and InvoiceID, ABCID, etc could be computed columns.</p> <p>The final thing to ensure is that an invoice only has 0 or 1 Work Orders. If your RDMBS ignores nulls in unique constraints, this is as simple as applying such a constraint to each FK column. For SQL Server, you need to use a filtered index (>=2008) or an indexed view (<=2005). I'll just show the filtered index:</p> <pre><code>CREATE UNIQUE INDEX IX_WorkItems_UniqueInvoices on WorkItem (InvoiceID) where (InvoiceID is not null) </code></pre> <hr> <p>Another way to deal with keeping WorkOrders straight is to include a WorkOrder type column in WorkOrder (e.g. 'Invoice','ABC','DEF'), including a computed or column constrained by check constraint to contain the matching value in the link table, and introduce a second foreign key:</p> <pre><code>CREATE TABLE WorkOrder ( WorkOrderID int IDENTITY(1,1) not null, Type varchar(10) not null, constraint PK_WorkOrder PRIMARY KEY (WorkOrderID), constraint UQ_WorkOrder_TypeCheck UNIQUE (WorkOrderID,Type), constraint CK_WorkOrder_Types CHECK (Type in ('INVOICE','ABC','DEF')) ) CREATE TABLE Invoice_WorkOrder ( InvoiceID int not null, WorkOrderID int not null, Type varchar(10) not null default 'INVOICE', constraint PK_Invoice_WorkOrder PRIMARY KEY (InvoiceID), constraint UQ_Invoice_WorkOrder_OrderIDs UNIQUE (WorkOrderID), constraint FK_Invoice_WorkOrder_Invoice FOREIGN KEY (InvoiceID) references Invoice (InvoiceID), constraint FK_Invoice_WorkOrder_WorkOrder FOREIGN KEY (WorkOrderID) references WorkOrder (WorkOrderID), constraint FK_Invoice_WorkOrder_TypeCheck FOREIGN KEY (WorkOrderID,Type) references WorkOrder (WorkOrderID,Type), constraint CK_Invoice_WorkOrder_Type CHECK (Type = 'INVOICE') ) </code></pre> <p>The only disadvantage to this model, although closer to your original proposal, is that you can have a work order that isn't actually linked to any other item (although it claims to be for an e.g INVOICE).</p> |
13,092,533 | 0 | ZSH auto_vim (like auto_cd) <p>zsh has a feature (auto_cd) where just typing the directory name will automatically go to (cd) that directory. I'm curious if there would be a way to configure zsh to do something similar with file names, automatically open files with vim if I type only a file name?</p> |
24,097,047 | 0 | <p>As Craig said, indexes are only used internally to the database so the index names are not important - but in PostgreSQL they must be unique.</p> |
33,939,674 | 0 | <p>I assume that by *ply you mean the <code>apply</code> family (apply, sapply, lapply, tapply, etc.). If not, I am sorry.</p> <p>Still, I think that you can easily achieve what you want with the <code><<-</code> operator. It will impact your performance, though.</p> <pre><code># Let's assume that your loop output is computed by this function : > do.some.stuff <- function(p) { + p + } # If we want to save the last output… > ret <- sapply(1:100000,function(x) { + to.save <<- do.some.stuff(x) + to.save + }) > to.save [1] 100000 # If we want to save all the computed outputs… > to.save <- vector() > ret <- sapply(1:100000,function(x) { + ret <- do.some.stuff(x) + to.save <<- c(to.save, ret) + ret + }) ^C # <-- manual interruption > str(to.save) int [1:21753] 1 2 3 4 5 6 7 8 9 10 ... # Example for dplyr and do(): library(dplyr) system.time({ to.save <- vector() final.ret <- sample_n(iris,10e4,replace=T) %>% rowwise %>% do(w_mean={ ret <- round(.$Sepal.Width,digits=1) to.save <<- c(placeholder,out) ret }) }) # Commenting out the assignment saves about 80 seconds for me. </code></pre> <p>The impact on the performance is quite important, though. Besides, it is not a natural way of using an <code>apply</code> function. Maybe <code>for</code> is the answer here.</p> |
20,433,762 | 0 | <p>This is happening because the redirect_uri your android app is using to create the initial login flow is different from the redirect_uri the server is using when it tries to excange the code for an access_token. The redirect_uri the user returns to and the redirect_uri used in the token exchange must match.</p> |
375,895 | 0 | Techniques for building HTML in code <p>An html template is compiled into the application as a resource. A <strong>fragment</strong> of the HTML template looks like:</p> <pre><code><A href="%PANELLINK%" target="_blank"> <IMG border="0" src="%PANELIMAGE%" style="%IMAGESTYLE%"> </A><BR> %CAPTIONTEXT% </code></pre> <p>i like it like this because the larger resource HTML file contains styling, no-quirks mode, etc.</p> <p>But as is always the case, they now want the option that the Anchor tag should be omitted if there is no link. Also if there is no caption, then the BR tag should be omitted.</p> <hr> <h2>Considered Technique Nº1</h2> <p>Given that i don't want to have to build entire HTML fragments in C# code, i <em>considered</em> something like:</p> <pre><code>%ANCHORSTARTTAGPREFIX%<A href="%PANELLINK%" target="_blank">%ANCHORSTARTTAGPOSTFIX% <IMG border="0" src="%PANELIMAGE%" style="%IMAGESTYLE%"> %ANCHORENDTAGPREFIX%</A>%ANCHORENDTAGPOSTFIX%CAPTIONPREFIX%<BR> %CAPTIONTEXT%%CAPTIONPOSTFIX% </code></pre> <p>with the idea that i could use the pre and postfixes to turn the HTML code into:</p> <pre><code><!--<A href="%PANELLINK%" target="_blank">--> <IMG border="0" src="%PANELIMAGE%" style="%IMAGESTYLE%"> <!--</A>--><!--<BR> %CAPTIONTEXT%--> </code></pre> <p>But that is just rediculous, plus one answerer reminds us that it wastes bandwith, and can be buggy.</p> <hr> <h2>Considered Technique Nº2</h2> <p>Wholesale replacement of tags:</p> <pre><code>%AnchorStartTag% <IMG border="0" src="%PANELIMAGE%" style="%IMAGESTYLE%"> %AnchorEndTag%%CaptionStuff% </code></pre> <p>and doing a find-replace to change</p> <pre><code>%AnchorStartTag% </code></pre> <p>with</p> <pre><code>"<A href=\"foo\" target=\"blank\"" </code></pre> <hr> <h2>Considered Technique Nº3</h2> <p>i considered giving an ID to the important HTML elements:</p> <pre><code><A id="anchor" href="%PANELLINK%" target="_blank"> <IMG border="0" src="%PANELIMAGE%" style="%IMAGESTYLE%"> </A><BR id="captionBreak"> %CAPTIONTEXT% </code></pre> <p>and then using an HTML DOM parser to programatically delete nodes. But there is no easy access to a trustworthy HTML DOM parser. If the HTML was instead xhtml i would use various built-in/nativly available xml DOM parsers.</p> <hr> <h2>Considered Technique Nº4</h2> <p>What i actually have so far is:</p> <pre><code>private const String htmlEmptyTemplate = @"<!DOCTYPE HTML PUBLIC ""-//W3C//DTD HTML 4.01//EN\"""+Environment.NewLine+ @" ""http://www.w3.org/TR/html4/strict.dtd"">"+Environment.NewLine+ @"<HTML>"+Environment.NewLine+ @"<HEAD>"+Environment.NewLine+ @" <TITLE>New Document</TITLE>"+Environment.NewLine+ @" <META http-equiv=""X-UA-Compatible"" content=""IE=edge"">"""+Environment.NewLine+ @" <META http-equiv=""Content-Type"" content=""text/html; charset=UTF-8"">"+Environment.NewLine+ @"</HEAD>"+Environment.NewLine+ @""+Environment.NewLine+ @"<BODY style=""margin: 0 auto"">"+Environment.NewLine+ @" <DIV style=""text-align:center;"">"+Environment.NewLine+ @" %ContentArea%"+Environment.NewLine+ @" </DIV>" + Environment.NewLine + @"</BODY>" + Environment.NewLine + @"</HTML>"; private const String htmlAnchorStartTag = @"<A href=""%PANELLINK%"" target=""_blank"">"; //Image is forbidden from having end tag private const String htmlImageTag = @"<IMG border=""0"" src=""%PANELIMAGE%"" style=""%IMAGESTYLE%"">"; private const String htmlCaptionArea = @"<BR>%CAPTIONTEXT%"; </code></pre> <p>And i already want to gouge my eyeballs out. Building HTML in code is a nightmare. It's a nightmare to write, a nightmare to debug, and a nightmare to maintain - and it will makes things difficult on the next guy. i'm hoping for another solution - since i <strong>am</strong> the next guy.</p> |
24,122,695 | 1 | Interate through a Pandas dataframe <p>I want to upsample my data. It is hourly data that I want to turn into 5 minute data by resampling and filling in the missing data with a linear interpolation between the hours. </p> <p><a href="https://dl.dropboxusercontent.com/u/100778374/Wind%20Data/Wind_Locations.csv" rel="nofollow">Wind_locations.csv</a>, the data frame has a column called 'CH'. I want to iterate through each row of 'CH' and subtract the next row from the current. This is how I think it should work, but it is not, any suggestions?</p> <p>I tried using<br> <code>data = pd.read_csv('Wind_Locations.csv')</code><br> <code>data.CH.resample('5min', how='sum')</code> </p> <p>But I get the error <code>TypeError: Only valid with DatetimeIndex or PeriodIndex</code></p> <p>Any suggestions?</p> |
14,956,272 | 0 | javascript date varies across timezone <pre><code>var dt_now = '2-22-2013';//mm-dd-yyyy, this is dynamic in actual code dt_now = dt_now.split("-"); dt_now = addZero(dt_now[2])+'-'+addZero(dt_now[0])+'-'+addZero(dt_now[1]); dt_now = new Date(dt_now); </code></pre> <p>I am using the above code to convert a user defined text to actual date for use in rest of my code. it seems to work ok for me but on another system which is situated in a different timezone(my time -12 hours), the date comes out as <code>February 21st</code> instead of <code>Feb 22nd</code>, that is, it is running <strong>one day behind the expected date</strong>. I have no idea how to fix this or what the error might be. Any suggestions?</p> |
22,904,103 | 0 | <p>You have a shadowing problem. You declare...</p> <pre><code>private JButton findnext; private JButton replace; private JButton delete; private JButton upper; </code></pre> <p>But in your constructor you do...</p> <pre><code>JButton findnext = new JButton("FindNext"); //... JButton replace = new JButton("Replace"); //... JButton delete = new JButton("Delete"); //... JButton upper = new JButton("Upper"); </code></pre> <p>Which is re-declaring those variables.</p> <p>This means that when you try and do...</p> <pre><code>if (source == findnext) { </code></pre> <p>It's always <code>false</code></p> <p>You're also adding the <code>ActionListener</code> (<code>this</code>) to the <code>findnext</code> button four times...I think you mean to be adding it to each of the other buttons</p> <p>Beware, there is already a class called <code>Window</code> in AWT, which could cause confusion for people. It's also discouraged to extend directly from a top level container like <code>JFrame</code> and instead should start with a <code>JPanel</code> and the add it to an instance of <code>JFrame</code> (or what ever container you like)</p> |
3,318,325 | 0 | <p>See <a href="http://www.w3schools.com/media/media_mimeref.asp" rel="nofollow noreferrer">http://www.w3schools.com/media/media_mimeref.asp</a> .</p> <p>xls is <code>application/vnd.ms-excel</code>, ppt is <code>application/vnd.ms-powerpoint</code>.</p> |
38,700,390 | 0 | <p>I assume <code>_renderList</code> is responsible for render your listview component. You can call it in render function.</p> <pre><code>render(){ return ( <View> {this._renderList()} /*......rest of your code....*/ </View> ); </code></pre> |
24,635,052 | 0 | Page goes blank when working with database <p>I am working on a form for a friend. When a user submits the form their IP address is added into a database table. Every time a user then visits the form I run a check to see if their IP address is already in the table. If it is then they have already submitted the form. </p> <p>I did this previously but decided to change how it works and now when I got to run any queries or connect to the database the whole page goes blank.</p> <p>Here is my database class (class.Database.inc.php):</p> <pre><code><?php /** * MySQLi database; only one connection is allowed. */ class Database { private $_connection; // Store the single instance. private static $_instance; /** * Get an instance of the Database. * @return Database */ public static function getInstance() { if (!self::$_instance) { self::$_instance = new self(); } return self::$_instance; } /** * Constructor. */ public function __construct() { $this->_connection = new mysqli('localhost', 'MHP_TICKET_ADMIN', 'fZx_142n', 'MHP_TICKET_SYS'); // Error handling. if (mysqli_connect_error()) { trigger_error('Failed to connect to MySQL: ' . mysqli_connect_error(), E_USER_ERROR); } } ?> </code></pre> <p>The code at the top of the form file (index.php):</p> <pre><code><?php require_once('class.Database.inc.php'); // Check database to see if the user has already submitted. $user_ip = $_SERVER['REMOTE_ADDR']; $db = Database::getInstance(); $mysqli = $db->getConnection(); $sql_query = "SELECT ip FROM ip_address WHERE ip = '$user_ip'"; $result = $mysqli->query($sql_query); if ($row = $result->fetch_assoc()) { die('You have already placed your submission.'); } ?> </code></pre> <p><strong>EDIT</strong> I entered the credentials in the wrong order, and it took me 2 hours to figure that out...</p> |
12,084,126 | 0 | <p>A <code>ggplot2</code> solution:</p> <p>I'm going to use the US population dataset in R:</p> <pre><code>population <- data.frame(Year=seq(1790, 1970, length.out=length(uspop)), Population=uspop, Error=rnorm(length(uspop), 5)) library(ggplot2) ggplot(population, aes(x=Year, y=Population, ymin=Population-Error, ymax=Population+Error))+ geom_line(colour="red", size=1.2)+ geom_point(pch=2)+ geom_errorbar(width=0.9) </code></pre> <p><img src="https://i.stack.imgur.com/LXFIg.png" alt="enter image description here"></p> |
18,563,702 | 0 | Eclipse Plug-in Enable/Disable Menu Items Programatically <p>I am writing an eclipse plug-in that extends <em>AbstractDebugView</em>. </p> <p>My plugin has one context menu item, one pull-down menu item, and one toolbar menu item. The action associated with these menu items is a class I created (<em>CopyAction</em>) which extends <em>org.eclipse.jface.action.Action</em>.</p> <pre class="lang-java prettyprint-override"><code>public class CopyAction extends Action { private String text; private String toolTipText; private boolean enabled; private ImageDescriptor imageDescriptor; ... public CopyAction() { text = "Copy"; toolTipText = "Copy Action"; enabled = false; imageDescriptor = ...; } ... @Override public void setEnabled(boolean enabled) { this.enabled = enabled; } @Override public boolean isEnabled() { return enabled; } ... } </code></pre> <p>Note that by default my action is disabled (enabled = false).</p> <p>In my plug-in main view class I create and add the copy action to each of the menus:</p> <pre class="lang-java prettyprint-override"><code>public class MyDebugView extends AbstractDebugView { CopyAction copyAction; ... @Override protected Viewer createViewer(Composite parent) { // do some stuff to create the viewer content createActions(); fillLocalPullDown(); ... } @Override protected void createActions() { copyAction = new CopyAction(); } private void fillLocalPullDown() { IActionBars bars = getViewSite().getActionBars(); bars.getMenuManager().add(copyAction); } @Override protected void fillContextMenu(IMenuManager manager) { manager.add(copyAction); } @Override protected void configureToolBar(IToolBarManager manager) { manager.add(copyAction)); } } </code></pre> <p>Everything works great up to this point. When I test my plug-in I can see the context menu, the toolbar menu, and the pull-down menu.</p> <p>All the menu items are disabled, as I would expect since the constructor for <em>CopyAction</em> sets enabled = false;</p> <p>What I want to do is enable the menu items when a selection has changed in my plug-in view (which happens to be a <em>TreeViewer</em>). In the callback for the tree selection I do the following:</p> <pre class="lang-java prettyprint-override"><code>private class MySelectionChangedListener implements ISelectionChangedListener { public void selectionChanged(SelectionChangedEvent event) { // determine if the copy action should be enabled ... copyAction.setEnabled(true) } } </code></pre> <p>The issue I am running into is that even though I set enabled to true on <em>copyAction</em> the menu items do not become enabled.</p> <p>My suspicion as to what's happening is even though I set the enabled property to true nothing happens because the menu(s) need to be notified that the property has changed. Is there some method I have to call to <em>force</em> the menu managers to update themselves thereby checking the enabled property of the copy action?</p> <p>====</p> <p>I have been thinking about the way I have been coding my plug-in and researching the internet on how to add/enable/disable menu items to an Eclipse plug-in. Nearly all of the examples I have seen use <em>plugin.xml</em> to add the menu contributions instead of doing it programatically. (Most also use commands, not actions.) I have also seen where you can enable/disable/hide/show menus using property testers also configured in <em>plugin.xml</em>.</p> <p>Should I just drop the way I am doing things now and do it using the plugin descriptor and property testers? I hate to throw away all the work I have done up to this point but it's more important for me to do it right rather than fuss over time spent.</p> |
4,794,788 | 0 | <ol> <li>If you don't have binlogs enabled, or cannot be sure at which point your backup snapshot was made trying to get the datadir running in another server is about your only option. (Which for maximum possibility of recovery should be as much like the original as possible in MySQL version and other environmental data).</li> <li>If you <em>do</em> have active binlogs, look at <a href="http://dev.mysql.com/tech-resources/articles/point_in_time_recovery.html" rel="nofollow">this manual</a></li> </ol> |
4,046,286 | 0 | <p>One technique that's common (especially in older editors) is called a split buffer. Basically, you "break" the text into everything before the cursor and everything after the cursor. Everything before goes at the beginning of the buffer. Everything after goes at the end of the buffer.</p> <p>When the user types in text, it goes into the empty space in between without moving any data. When the user moves the cursor, you move the appropriate amount of text from one side of the "break" to the other. Typically there's a lot of moving around a single area, so you're usually only moving small amounts of text at a time. The biggest exception is if you have a "go to line xxx" kind of capability.</p> <p>Charles Crowley has written a much more complete <a href="http://www.cs.unm.edu/~crowley/papers/sds/sds.html">discussion of the topic</a>. You might also want to look at <a href="http://www.finseth.com/craft/index.html">The Craft of Text Editing</a>, which covers split buffers (and other possibilities) in much greater depth.</p> |
19,292,488 | 0 | how use json in javascript with django <p>I am new in django and python I'm trying use a json file in javascript using django</p> <p>The Javascript works fine when I use without django but when I do with django show me this error:</p> <pre><code>"TypeError: node is null" </code></pre> <p>I call the json this way:</p> <pre><code>d3.json("jsonfile.json", function(node) { .... } </code></pre> <p>I tried to put the json in the templates dir with the html file and with js file but didn´t work</p> <p><strong>Edit 1:</strong></p> <pre><code>d3.json("jsonfile.json", function(error, node) { .... } </code></pre> <p>Shows me : "TypeError: node is undefined"</p> <p>All the js are in the same dir:</p> <pre><code><script src="{{ STATIC_URL }}js/d3.v3.min.js" type= text/javascript></script> <script src="{{ STATIC_URL}}js/graph.js" type= "text/javascript"></script> </code></pre> <p><strong>Edit2:</strong></p> <p>My JSON:</p> <pre><code>{ "coordinador":[ {"name":"ford","grupo":0}, {"name":"user1","grupo":1}, {"name":"user2","grupo":1}, {"name":"user3","grupo":1}, {"name":"car1","grupo":2}, {"name":"car2","grupo":2}, {"name":"car3","grupo":2}, {"name":"car4","grupo":2}, {"name":"car5","grupo":2} ], "links":[ {"source":1,"target":0,"origen":"user1","objetivo":"ford"}, {"source":2,"target":0,"origen":"user2","objetivo":"ford"}, {"source":3,"target":0,"origen":"user3","objetivo":"ford"}, {"source":4,"target":1,"origen":"car1","objetivo":"user1"}, {"source":5,"target":1,"origen":"car2","objetivo":"user1"}, {"source":6,"target":2,"origen":"car3","objetivo":"user2"}, {"source":7,"target":2,"origen":"car4","objetivo":"user2"}, {"source":8,"target":3,"origen":"car5","objetivo":"user3"} ] } </code></pre> |
5,579,157 | 0 | c# 4.0 get class properties with (specified attribute and attribute.data) <p>I would like to get what properties of my class have an exact attribute with a concrete string. I have this implementation (Attribute and Class):</p> <pre><code>[AttributeUsage(AttributeTargets.Property, AllowMultiple = false, Inherited = false)] public class IsDbMandatory : System.Attribute { public readonly string tableField; public IsDbMandatory (string tableField) { this.tableField= TableField; } } public Class MyClass { [IsDbMandatory("ID")] public int MyID { get; set; } } </code></pre> <p>Then I get the property with the concrete attribute in this way:</p> <pre><code>public class MyService { public bool MyMethod(Type theType, string myAttributeValue) { PropertyInfo props = theType.GetProperties(). Where(prop => Attribute.IsDefined(prop, typeof(IsDbMandatory))); } } </code></pre> <p>But I need only the properties with concrete attribute <code>isDbMandatory</code> AND concrete string <code>myAttributeValue</code> inside.</p> <p>How can I do it ?</p> |
10,738,736 | 0 | <p>User roles then setup the locations in web.config</p> <pre><code><location path="foo"> <system.web> <authorization> <allow roles="fooUsers"/> <deny users="*"/> </authorization> </system.web> </location> </code></pre> <p>OR for each folder created add a new web.config to folder root</p> <pre><code><?xml version="1.0"?> <configuration> <system.web> <authorization> <allow roles="folderUsers"/> <deny users="*" /> </authorization> </system.web> </configuration> </code></pre> |
5,276,395 | 0 | Is it possbile to Unregister a BroadCast Lister <p>I have a BroadcastReceiver registered in the manifest for 5 different events.</p> <p>For simplicity, let's say events are named A,B,C,D and E.</p> <p>After receiving event B, i want to unregister the receiver to stop listening for event E. Can this be done? </p> |
4,145,585 | 0 | Free delphi skinning library? <p>Does anybody of you know a good, free delphi skinning library for my software? I can't find any free libraries except for AlphaControls Free.</p> <p>Thanks in advance.</p> |
9,047,551 | 0 | <p>They devided <code>c</code> with <code>m*2</code> and assigned the value to <code>c</code>, then made sure <code>h</code> is not nothing:</p> <pre><code>c/=m*2;h!= </code></pre> <p>In other words: he did everything. The <em>ultimate</em> everything!</p> <hr> <p>Or maybe the cat sat on the keyboard and produced a random glob of characters. Cats are <em>very</em> good at that.</p> <hr> <p>I'm just kidding. ♥</p> <hr> <p><strong>Important bit:</strong> If anything, this "attack" has nothing to do with jQuery. Maybe they tried to make the web server error, somehow? Which they did, but I doubt it could do any damage. So, it's not really a threat.</p> |
10,008,273 | 0 | <p>OnStart (Role) is in another process than your web page (pages, Global.asax ..). At least when using <a href="http://blogs.msdn.com/b/windowsazure/archive/2010/12/02/new-full-iis-capabilities-differences-from-hosted-web-core.aspx" rel="nofollow">Full IIS mode</a>.</p> |
34,710,985 | 0 | <p>For autocompletion of dynamically created objects (if its type is not recognized automatically) most IDEs support type-hinting comments.</p> <p>For example:</p> <pre><code>/** @var Car $car */ </code></pre> <p>See <a href="http://www.phpdoc.org/docs/latest/references/phpdoc/tags/var.html" rel="nofollow">http://www.phpdoc.org/docs/latest/references/phpdoc/tags/var.html</a></p> |
13,802,299 | 0 | <p>Here's one way using <code>GNU awk</code>. Run like:</p> <pre><code>awk -f script.awk file1 file2 </code></pre> <p>Contents of <code>script.awk</code>:</p> <pre><code>BEGIN { FS="[ =:,]" } FNR==NR { a[$1]=$0 next } $2 in a { split(a[$2],b) for (i=3;i<=NF-1;i+=2) { for (j=2;j<=length(b)-1;j+=2) { if ($(i+1) == b[j]) { line = (line ? line "," : "") $i ":" b[j+1] } } } print $1 "=" line line = "" } </code></pre> <p>Results:</p> <pre><code>Tom=John:5,Mike:5 </code></pre> <p>Alternatively, here's the one-liner:</p> <pre><code>awk -F "[ =:,]" 'FNR==NR { a[$1]=$0; next } $2 in a { split(a[$2],b); for (i=3;i<=NF-1;i+=2) for (j=2;j<=length(b)-1;j+=2) if ($(i+1) == b[j]) line = (line ? line "," : "") $i ":" b[j+1]; print $1 "=" line; line = "" }' file1 file2 </code></pre> <p>Explanation:</p> <blockquote> <p>Change awk's field separator to a either a space, equals, colon or comma.</p> <p>'FNR==NR { ... }' is only true for the first file in the arguments list.</p> <p>So when processing file1, awk will add column '1' to an array and we assign the whole line as a value to this array element.</p> <p>'next' will simply skip processing the rest of the script, and read the next line of input.</p> <p>When awk has finished reading the input in file1, it will continue reading file2. However, this also resets 'FNR' to '1', so awk will skip processing the 'FNR==NR' block for file2 because it is not longer true.</p> <p>So for file2: if column '2' can be found in the array mentioned above:</p> <blockquote> <p>Split the value of the array element into another array. This essentially splits up the whole line in file1.</p> <p>Now create two loops.</p> <blockquote> <p>The first will loop through all the names in file2</p> <p>And the second will loop through all the values in the (second) array (this essentially loops over all the fields in file1).</p> </blockquote> <p>Now when a value succeeding a name in file2 is equal to one of the key numbers in file1, create a line construct that looks like: 'name:number_following_key_number_from_file1'.</p> <p>When more names and values are found during the loops, the quaternary construct '( ... ? ... : ...)' adds these elements onto the end of the line. It's like an if statement; if there's already a line, add a comma onto the end of it, else don't do anything.</p> <p>When all the loops are complete, print out column '1' and the line. Then empty the line variable so that it can be used again.</p> </blockquote> </blockquote> <p>HTH. Goodluck.</p> |
11,831,870 | 0 | <p>The fact that it is hidden changes nothing. The problem is probably that the js code is before the button HTML. Either put it after, or put it in a listener like <code>$(document).ready()</code> to make sure it has been processed when your try to access it.</p> |
5,114,105 | 0 | <p>If all you want to do is output each question (without any validation!) you don't need the question variable at all. Just do:</p> <pre><code>echo 'Question #' . ($i + 1) . ': ' . $_POST['question'][$i]; </code></pre> |
26,666,466 | 1 | I cannot get my "if" command to work properly <p>I am trying to add two numbers, even if they contain "-" or ".", but my if command is wrong somehow, here is the code:</p> <pre><code>def add(): print "\nAddition" print " " print "What is your first number?" preadd1=raw_input(prompt) print "What is your second number?" preadd2=raw_input(prompt) if preadd1.isdigit() and preadd2.isdigit(): add1=int(preadd1) add2=int(preadd2) add_answer= add1+add2 print " " print add_answer add() elif preadd1=="pike" or preadd2=="pike": pike() elif "-" in preadd1 or "." in preadd1 or "-" in preadd2 or "." in preadd2 and preadd1.replace("-","").isdigit() and preadd1.replace(".","").isdigit() and preadd2.replace("-","").isdigit() and preadd2.replace(".","").isdigit(): add1=float(preadd1) add2=float(preadd2) add_answer=add1+add2 print "" print add_answer add() else: print "\nPlease enter two numbers." add() add() </code></pre> <p>when I enter a non-number like "-sf" it returns the error:</p> <pre><code>ValueError: could not convert string to float: -sf </code></pre> <p>this makes no sense to me, seeing as a made sure <code>preadd1.replace("-","").isdigit() and preadd1.replace(".","").isdigit() and preadd2.replace("-","").isdigit() and preadd2.replace(".","").isdigit()</code></p> <p>Please help.</p> |
12,430,710 | 0 | <p>Yes, It is possible but you need a <code>Rooted</code> device with <code>Superuser</code> Access. Try using the following code:</p> <pre><code>try { Process proc = Runtime.getRuntime() .exec(new String[]{ "su", "-c", "reboot -p" }); proc.waitFor(); } catch (Exception ex) { ex.printStackTrace(); } </code></pre> <p>If you plan on doing this without <code>Root Privileges</code>, forget it. The only way to do that is to use <code>PowerManager</code> but that won't work unless your app is signed with the <code>System Firmware Key</code>.</p> <p><em>[via <a href="http://stackoverflow.com/a/12430612/1533054">Programmatically switching off Android phone</a>]</em></p> |
26,469,891 | 0 | <p>Try doing the select after casting the join result to a list. </p> <pre><code>public IEnumerable<MergeObj> QueryJoin() { List<TableObj1> t1 = conn.Table<TableObj1>().ToList(); List<TableObj2> t2 = conn.Table<TableObj2>().ToList(); return t1.Join(t2, outer => outer.Id, inner => inner.Id, (outer, inner) => new MergeObj { Obj1 = outer, Obj2 = inner }); } </code></pre> <p>Edit : Since your database don't seems to support join, you can extract the result of your database in two distinct List and then join them using LINQ.</p> |
16,518,011 | 0 | Match with Regex any number except a specific number <p>Using regex I would like to match strings like:</p> <ul> <li>3.2 Title 1</li> <li>3.5 Title 2</li> <li>3.10 Title 3</li> </ul> <p>I did <code>@"^3\.\d+[ ]."</code> But I would like to do not match strings of "3." followed by a single 1 like :</p> <ul> <li>3.1 Title 4</li> </ul> <p>I tried <code>@"^3\.[^1][ ]."</code> but it doesnt match strings like 3.10 </p> <p>So How can I match any numbers except the number 1?</p> <p>Thank you in advance </p> |
29,059,295 | 0 | <p>Your <code>print_values</code> method is an <em>instance</em> method, though it does not use the instance in it.</p> <p>I believe you meant to use the instance data for your implementation:</p> <pre><code>class LinkedListNode attr_accessor :value, :next_node def initialize(value, next_node = nil) @value = value @next_node = next_node end def print_values print "#{value} --> " if next_node.nil? print "nil" return else next_node.print_values end end end node1 = LinkedListNode.new(37) node2 = LinkedListNode.new(99, node1) node3 = LinkedListNode.new(12, node2) node3.print_values </code></pre> <p>Another option is to make the method a <em>static</em> method, which does not need an instance, which will look like:</p> <pre><code>class LinkedListNode attr_accessor :value, :next_node def initialize(value, next_node = nil) @value = value @next_node = next_node end def self.print_values(list_node) print "#{list_node.value} --> " if list_node.next_node.nil? print "nil" return else print_values(list_node.next_node) end end end node1 = LinkedListNode.new(37) node2 = LinkedListNode.new(99, node1) node3 = LinkedListNode.new(12, node2) LinkedListNode.print_values(node3) </code></pre> <p>Both options will be considered <em>recursive</em>, since the method calls itself. There are no rules about recursion (calling another method is allowed), but there are things you need to be aware of, like if you don't have a good <em>stopping condition</em>, your method might "explode" with a stack overflow exception.</p> |
20,588,519 | 0 | <p>There's no workaround. Menu items can't be batched.</p> <p>But you could make a regular sprite behave as a button. Layer detects touch, checks if touch was on "button" sprite, executesutton block or selector.</p> |
26,563,776 | 0 | <p>KDevelop, QtCreator, XCode and many other editors offer this feature. And more will come, as nowadays it's rather trivial to implement in some way based on Clang.</p> |
16,025,291 | 0 | How do I determine if a box intersects a mongoDB collection of boxes using geospacial method? <p>I have figured out how to make the query for the intersection, but can't figure out how to define the boxes in the database so that it returns me all boxes that intersect with my query parameter.</p> <p>How do I accomplish this?</p> |
27,665,257 | 0 | <p>The result being a <code>Hash</code>, you can call <code>values</code> on it: </p> <pre><code>res = ActiveRecord::Base.connection.execute(q_cmd) res.values </code></pre> <p>This will give you just the values in an array!</p> <p>Reference documentation: <a href="http://www.ruby-doc.org/core-2.1.5/Hash.html#method-i-values" rel="nofollow"><code>Hash#values</code></a>.</p> |
11,549,223 | 0 | Actionmailer Rails 3 <p>I have added a contact form to my site and am having a problem, when the message is sent I get my flash message, "successfully sent", however the email never arrives in my inbox. I am in development mode at the moment and my app/config file looks like this</p> <pre><code> class Application < Rails::Application ActionMailer::Base.delivery_method = :smtp ActionMailer::Base.perform_deliveries = true ActionMailer::Base.raise_delivery_errors = true config.action_mailer.smtp_settings = { :address => "smtp.gmail.com", :port => 587, :domain => "gmail.com", :user_name => "[email protected]", :password => "example", :authentication => :plain, :enable_starttls_auto => true } config.action_mailer.default_url_options = { :host => "gmail.com" } </code></pre> <p>My contact Controller is like this</p> <pre><code> def new @message = Message.new end def create @message = Message.new(params[:message]) if @message.valid? NotificationsMailer.new_message(@message).deliver redirect_to(root_path, :notice => "Message was successfully sent.") else flash.now.alert = "Please fill all fields." render :new end end end </code></pre> <p>and finally my Notification Mailer</p> <pre><code> class NotificationsMailer < ActionMailer::Base default :from => "[email protected]" default :to => "[email protected]" def new_message(message) @message = message if message.file attachment_name = message.file.original_filename attachments[attachment_name] = message.file.read end mail(:subject => "[[email protected]] #{message.subject}") end end </code></pre> <p>Am I missing anything obvious here as I have implemented this in another site which worked fine, just cant figure out what is going on</p> <p>Any help appreciated</p> |
18,251,020 | 0 | <p>I found the answer and solution: </p> <ol> <li>As for access the <code>adb shell</code>, I need to enable "Root access" for ADB in "Developer options" (this apply for stock Android 4.0.4 by Cyanogenmod but the same option could be present somewhere else in your phone)</li> <li>As for File Expert, the "Root Explorer" functionality is only available in their paid version <ul> <li>I'm going to use ES File Explorer and the likes</li> </ul></li> <li>I haven't found a solution for access through ADT's Device Manager yet but I'm happy having 2 options above</li> </ol> |
11,427,457 | 0 | What is the right syntax of IF statement in MySQL? <p>I have a small and simple MySQL code. But whenever I run it, I get error #1064. Can you tell me what is my mistake here?</p> <pre><code>IF ((SELECT COUNT(id) FROM tbl_states) > 0) THEN BEGIN SELECT * FROM tbl_cities; END END IF </code></pre> <p>I also used some other conditions like the below one, but again I got an error.</p> <pre><code>IF (1=1) THEN BEGIN SELECT * FROM tbl_cities; END END IF </code></pre> <p>What I actually want to do is something like this:</p> <pre><code>IF ((SELECT COUNT(id) FROM tbl_states) > 0) THEN BEGIN UPDATE ... END ELSE BEGIN INSERT ... END END IF </code></pre> |
26,289,185 | 0 | Prevent CSS media queries from breaking when doing masked domain forwarding <p>I recently set up a domain I own - jeffreydill.com - to point to a personal site I have hosted on GitHub - jeffdill2.github.io/portfolio. It's a GoDaddy domain and I'm using masked domain forwarding.</p> <p>However, when using the forwarded address - jeffreydill.com - all of my CSS media queries break. If I just go straight to the actual domain - jeffdill2.github.io/portfolio - everything is still working correctly.</p> <p>Any help would be much appreciated. Thanks!</p> |
32,782,201 | 0 | <p>Have you checked that the account running the app pool is in the IIS_IUSRS group in User Manager (lusrmgr.msc)</p> <p>Cheers</p> |
27,336,085 | 0 | jar built with jwrapper doesn't work <p>jwrapper manipulates application jars somehow, and is resulting in a non-functioning jar: at runtime it throws a "MyClass cannot be cast to MyClass" type error. I believe this is caused by re-evaluating code that creates a class loader, leading to multiple instances of class MyClass being loaded.</p> <p>The jwrapper docs don't describe the changes made to the jar, except for the use of pack200. I've tested pack200 in isolation, and it does not cause this problem.</p> <p>I've also tested the jar built by jwrapper without using the wrapper executable, by passing it to "java -jar". So it's not jvm transmuting, or anything else that the wrapper is doing: the jar itself is broken.</p> <p>UPDATE:</p> <p>jwrapper allows skipping pack200, but then the install file is huge. Since pack200 works when run standalone, I could work around this if there were some way to tell jwrapper that the file is already packed. Using <Pack200Exceptions> doesn't help, because then it doesn't know the file is packed.</p> |
14,197,574 | 0 | Align a block outside of a table, with a cell in the table <p>I have a table with the following format:</p> <pre><code><a id="posMe">Age</a> <table> <thead> <th id="name">name</th> <th id="age">age</th> </thead> <tbody> <tr> <td nowrap="">a</td> <td nowrap="">11</td> </tr> ... </tbody> </table> </code></pre> <p>I want 'posMe' to be aligned with the 'age' column.</p> <p>However, since I don't know what will be the width of "name", I can't position it statically, nor do I have any idea how to do this using javascript (or is there another way?)</p> <p>I can't add it as part of the thead, since I'm using some black box javascript for sorting, and it requires this format.</p> <p>Can this be done? Thanks for any help</p> |
12,507,260 | 0 | <p>No big XML-knowledge at my side, but since <code>Properties</code> is a childnode of <code>NewDataSet</code>, my guess is that you first have to get the <code>Properties</code> node and with that you can probably get the nodes you want.</p> |
22,500,310 | 0 | Can't read the data from 2nd level nested attribute in ActiveAdmin <p><em>I have 3 classes:</em></p> <p><strong>app/model/order.rb</strong></p> <pre><code>class Order < ActiveRecord::Base has_many :lines, dependent: :destroy accepts_nested_attributes_for :lines, allow_destroy: true end </code></pre> <p><strong>app/model/line.rb</strong></p> <pre><code>class Line < ActiveRecord::Base belongs_to :order has_many :picklines, dependent: :destroy end </code></pre> <p><strong>app/model/pickline.rb</strong></p> <pre><code>class Pickline < ActiveRecord::Base belongs_to :line end </code></pre> <p>So, from the above, the structure as follows <code>Order>Line>Pickline</code>, i.e. <code>Pickline</code> will be 2nd level nested attrubte to <code>Order</code>.</p> <p>I was able to read the column from <code>Line</code> (1st level nested) as below:</p> <p><strong>app/admin/order.rb</strong></p> <pre><code>show do panel "Items" do table_for order.lines do column :description end end end </code></pre> <p>Now, I'm having headache on how to retrieve, for example, column named "quantity" from the 2nd level nested attribute of <code>Pickline</code>...</p> <p>I understand that I first have to iterate on each <code>Line</code> and then on each <code>Pickline</code> to retrieve any column from Pickline, but can't figure out how this can be done in ActiveAdmin.</p> |
31,045,710 | 0 | <p>I've found an example on CodeProject that works really well. </p> <p><a href="http://www.codeproject.com/Articles/31840/Move-controls-on-a-form-at-runtime" rel="nofollow noreferrer">Move controls on a form at runtime</a></p> <p>The only problem I ran into is that I couldn't drag the <code>WebBrowser</code> control itself as it appears to capture mouse clicks. As a workaround I put the <code>WebBrowser</code> in a <code>Panel</code>, left a little space at the top so it looks like a title bar, then anchored the <code>WebBrowser</code> to fill the rest of the space.</p> <p>Put the following code somewhere appropriate like Form_Load.</p> <pre><code>Helper.ControlMover.Init(this.TheWebBrowserPanel); </code></pre> <p>You can then drag the <code>WebBrowser</code> control by dragging the <code>Panel</code> instead:</p> <p><img src="https://i.stack.imgur.com/ns3B4.gif" alt="enter image description here"></p> |
33,503,666 | 0 | Background running time with PushKit VoIP notifications <p>I'm writing VoIP application that uses PushKit notification, and I can't found <strong>what amount of background execution time gives me one incoming push?</strong></p> <p>The first thing I've checked is <code>[UIApplication sharedApplication].backgroundTimeRemaining</code> but this counter doesn't reset by next pushes and apps still remain active even with <code>backgroundTimeRemaining == 0</code>.</p> <p>My question is how to get remain time until app become frozen by system? Or how to calculate this time in respect to number of incoming PushKit pushes. </p> <p>I need this to gracefully close sockets/connections before application becomes frozen. </p> |
9,646,055 | 0 | CMake, SDL on Mac OS X, "can't find -lSDLmain" <p>Following the instructions <a href="http://content.gpwiki.org/index.php/SDL%3aTutorials%3aSetup#CMake" rel="nofollow">here</a>, I've set up a <code>CMakeLists.txt</code>:</p> <pre><code>Find_Package (SDL REQUIRED) Find_Package (SDL_image REQUIRED) link_libraries ( ${SDL_LIBRARY} ${SDLIMAGE_LIBRARY} SDLmain ) </code></pre> <p>When running <code>cmake</code>, I get the following error:</p> <pre><code>ld: library not found for -lSDLmain collect2: error: ld returned 1 exit status make[2]: *** [src/GameOfLife] Error 1 </code></pre> <p>Running <code>g++</code> by hand gives the same error:</p> <pre><code>$ g++-4.7 -std=c++0x ../src/*.cpp -lSDLmain ld: library not found for -lSDLmain </code></pre> <p>How do I fix this?</p> |
14,113,313 | 0 | can i use android aide for learning java <p>Ok so this time I will make it more specific.</p> <p>I want to learn Java only. So I have bought myself a book on Java programming and would like to follow the examples in the book. For doing this on the go (because I don't always have access to my PC) I've downloaded <a href="https://play.google.com/store/apps/details?id=com.aide.ui&hl=en" rel="nofollow">AIDE</a>, which is basically an IDE for Android phones.</p> <p>But this app seems to be for android development only. Can I use this to practice Java? Because now when I write anything in Java and compile it, it only outputs what's in the layout XML.</p> |
630,604 | 0 | <p>If you're using SQL Server 2005 or newer then your best option is to create a <a href="http://msdn.microsoft.com/en-us/library/ms189876.aspx" rel="nofollow noreferrer">user-defined CLR function</a> and use a regular expression to remove all non-numeric characters.</p> <p>If you don't want to use a CLR function then you could create a standard user-defined function. This will do the job although it won't be as efficient:</p> <pre><code>CREATE FUNCTION dbo.RemoveNonNumerics(@in VARCHAR(255)) RETURNS VARCHAR(255) AS BEGIN DECLARE @out VARCHAR(255) IF (@in IS NOT NULL) BEGIN SET @out = '' WHILE (@in <> '') BEGIN IF (@in LIKE '[0-9]%') SET @out = @out + SUBSTRING(@in, 1, 1) SET @in = SUBSTRING(@in, 2, LEN(@in) - 1) END END RETURN(@out) END </code></pre> <p>And then select from your table like so:</p> <pre><code>SELECT dbo.RemoveNonNumerics(your_column) AS your_tidy_column FROM your_table </code></pre> |
9,440,032 | 0 | <p>I have seen this before. What solved the problem for me was to re-export my PNGs. For some reason, some of them get metadata in them (like Fireworks stuff) which causes it to bug out in certain situations. I've seen that happen mostly with Internet Explorer, but have seen it with MKMapView as well. Even more strange, it worked in the simulator but not on the device.</p> |
1,710,248 | 0 | Does anyone have parsing rules for the Notepad++ Function List plugin for Ruby and Rake <p>I'me using Notepad++ for editing rake files and I'd like to be able to use the function list plugin. </p> <p>I've been unable to find any parsing rules on line, and the "Language Parsing Rules" dialog is not very clearly documented.</p> <p>I'm parsing methods into the list with the following, but would like to also display tasks.</p> <pre><code>Function Begin: [ \t]*def[ \t]+ Function List Name: [a-zA-Z0-9_\.]* </code></pre> <p>This isn't very clean, and won't capture functions that end with ? or !, but it is a start.</p> <p>My task rule, which isn't working is:</p> <pre><code>Function Begin: [ \t]*task[ \t]+ Function List Name: :[a-zA-Z0-9_\.]* Function End: [ \t]+do </code></pre> <p>Any suggestions most welcome.</p> <p>thanks</p> |
19,504,106 | 0 | <pre><code>void print_customers(customer &head); </code></pre> <p>C++ compiler work in top to bottom approach. So, every type, identifier it sees at the point must be known to it. </p> <p>The problem is that compiler doesn't know the type <code>customer</code> in the above statement. Try forward declaring the type before the function's forward declaration.</p> <pre><code>struct customer; </code></pre> <p>Or move the function forward declaration after the struct definition.</p> |
40,009,351 | 0 | <p>If they don't provide an argument, set that argument in <code>args</code> to <code>0</code>. Then <code>ls</code> won't receive an empty string as its first argument, it won't get any arguments at all.</p> <pre><code>args[0] = arg1; if (strlen(arg2) == 0) { args[1] = 0; } else { args[1] = arg2; args[2] = 0; } </code></pre> <p>You also need to check for this in the loop that prints all the arguments.</p> <pre><code>for(i=0;i<MAX && arg[i];i++) { printf("Value of arg[%d] =%s\n",i, args[i]); } </code></pre> |
16,401,266 | 0 | Basic concept of message loop in directx <p>Well I find weird point of message loop.</p> <p>first, lock this code below</p> <pre><code>MSG msg = {0}; while( WM_QUIT != msg.message ) { if( PeekMessage( &msg, NULL, 0, 0, PM_REMOVE ) ) { TranslateMessage( &msg ); DispatchMessage( &msg ); } else { Render(); // Do some rendering } } </code></pre> <p>It is a tutorial of directx and this part is part of message loop.</p> <p>If I click a mouse, It goes to queue as Message.</p> <p>So Input like this should be process in proc function of win api.</p> <p>Now that peekMessage return true, render() will not be called in frame when I clicked.</p> <p>I think code be changed if~else to if~if for render when I click.</p> <p>Can you explain this??</p> |
14,020,775 | 0 | <p>You have chose wrong selector, :td is not correct. You need to attach event directly on tr. You may use <code>mouseenter</code> instead of <code>mouseover</code> as mouseover will fire again and again as mouse moves on it, <code>it will cause needless execution of code</code>. You need to change the class only once so mouse enter would be do that for you. </p> <p><strong><a href="http://jsfiddle.net/rajaadil/Bf3MT/" rel="nofollow">Live Demo</a></strong></p> <pre><code>$(document).ready(function() { $('#gvrecords tr').mouseenter(function() { $(this).addClass('highlightRow'); }).mouseout(function() { $(this).removeClass('highlightRow'); }) }) </code></pre> |
1,753,357 | 0 | Per-file enabling of scope guards <p>Here's a little problem I've been thinking about for a while now that I have not found a solution for yet.</p> <p>So, to start with, I have this function guard that I use for debugging purpose:</p> <pre><code>class FuncGuard { public: FuncGuard(const TCHAR* funcsig, const TCHAR* funcname, const TCHAR* file, int line); ~FuncGuard(); // ... }; #ifdef _DEBUG #define func_guard() FuncGuard __func_guard__( TEXT(__FUNCSIG__), TEXT(__FUNCTION__), TEXT(__FILE__), __LINE__) #else #define func_guard() void(0) #endif </code></pre> <p>The guard is intended to help trace the path the code takes at runtime by printing some information to the debug console. It is intended to be used such as:</p> <pre><code>void TestGuardFuncWithCommentOne() { func_guard(); } void TestGuardFuncWithCommentTwo() { func_guard(); // ... TestGuardFuncWithCommentOne(); } </code></pre> <p>And it gives this as a result:</p> <pre> ..\tests\testDebug.cpp(121): Entering[ void __cdecl TestGuardFuncWithCommentTwo(void) ] ..\tests\testDebug.cpp(114): Entering[ void __cdecl TestGuardFuncWithCommentOne(void) ] Leaving[ TestGuardFuncWithCommentOne ] Leaving[ TestGuardFuncWithCommentTwo ] </pre> <p>Now, one thing that I quickly realized is that it's a pain to add and remove the guards from the function calls. It's also unthinkable to leave them there permanently as they are because it drains CPU cycles for no good reasons and it can quickly bring the app to a crawl. Also, even if there were no impacts on the performances of the app in debug, there would soon be a flood of information in the debug console that would render the use of this debug tool useless.</p> <p>So, I thought it could be a good idea to enable and disable them on a per-file basis.</p> <p>The idea would be to have all the function guards disabled by default, but they could be enabled automagically in a whole file simply by adding a line such as</p> <pre><code>EnableFuncGuards(); </code></pre> <p>at the top of the file.</p> <p>I've thought about many a solutions for this. I won't go into details here since my question is already long enough, but let just say that I've tried more than a few trick involving macros that all failed, and one involving explicit implementation of templates but so far, none of them can get me the actual result I'm looking for.</p> <p>Another restricting factor to note: The header in which the function guard mechanism is currently implemented is included through a precompiled header. I know it complicates things, but if someone could come up with a solution that could work in this situation, that would be awesome. If not, well, I certainly can extract that header fro the precompiled header.</p> <p>Thanks a bunch in advance!</p> |
20,988,644 | 0 | fontawesome + rails 4.0.1 not working <p>I am using fontawesome 3.2.1 and bootstrap 3.0.0 in my rails 4.0.1 project. All my assets are located in vendor/assets. </p> <p>the problem is that my fontawesome is working in development mode when when i compile my assets(production env) and run the server in production env, its not able to load fontawesome. the errors are as</p> <pre><code>Started GET "/assets/fontawesome-webfont.svg" for 127.0.0.1 at 2014-01-08 11:48:55 +0530 ActionController::RoutingError (No route matches [GET] "/assets/fontawesome-webfont.svg"): actionpack (4.0.1) lib/action_dispatch/middleware/debug_exceptions.rb:21:in `call' actionpack (4.0.1) lib/action_dispatch/middleware/show_exceptions.rb:30:in `call' </code></pre> <p>the assets are as</p> <pre><code>$ls vendor/assets/ => fonts images javascripts stylesheets $ls vendor/assets/* => vendor/assets/fonts: FontAwesome.otf fontawesome-webfont.ttf glyphicons-halflings- regular.svg fontawesome-webfont.eot fontawesome-webfont.woff glyphicons-halflings- regular.ttf fontawesome-webfont.svg glyphicons-halflings-regular.eot glyphicons-halflings-regular.woff vendor/assets/images: bg_direction_nav.png bxslider search-icon.jpg vendor/assets/javascripts: bootstrap bxslider fancybox others revolution_slider vendor/assets/stylesheets: bootstrap bxslider fancybox font_awesome others revolution_slider $ls vendor/assets/stylesheets/bootstrap/ => bootstrap.min.css $ls vendor/assets/stylesheets/font_awesome/ => font-awesome.css </code></pre> <p>my application.css is as</p> <pre><code>$cat app/assets/stylesheets/application.css /* * This is a manifest file that'll be compiled into application.css, which will include all the files * listed below. * * Any CSS and SCSS file within this directory, lib/assets/stylesheets, vendor/assets/stylesheets, * or vendor/assets/stylesheets of plugins, if any, can be referenced here using a relative path. * * You're free to add application-wide styles to this file and they'll appear at the top of the * compiled file, but it's generally better to create a new file per style scope. * *= require bootstrap/bootstrap.min.css *= require others/theme.css *= require others/bootstrap-reset.css *= require font_awesome/font-awesome.css *= require bxslider/jquery.bxslider.css *= require fancybox/jquery.fancybox.css *= require revolution_slider/rs-style.css *= require revolution_slider/settings.css *= require others/flexslider.css *= require others/style.css *= require others/style-responsive.css *= require_self */ </code></pre> <p>fontawesome are loaded in font-awesome.css as</p> <pre><code>@font-face { font-family: 'FontAwesome'; src: url('/assets/fontawesome-webfont.eot?v=3.2.1'); src: url('/assets/fontawesome-webfont.eot?#iefix&v=3.2.1') format('embedded-opentype'), url('/assets/fontawesome-webfont.woff?v=3.2.1') format('woff'), url('/assets/fontawesome-webfont.ttf?v=3.2.1') format('truetype'), url('/assets/fontawesome-webfont.svg#fontawesomeregular?v=3.2.1') format('svg'); font-weight: normal; font-style: normal; } </code></pre> <p>glyphicons are loaded in bootstrap.min.css as</p> <pre><code>@font-face{ font-family:'Glyphicons Halflings'; src:url('/assets/glyphicons-halflings-regular.eot'); src:url('/assets/glyphicons-halflings-regular.eot?#iefix') format('embedded-Opentype'), url('/assets/glyphicons-halflings-regular.woff') format('woff'),url('/assets/glyphicons-halflings-regular.ttf') format('truetype'),url('/assets/glyphicons-halflings-regular.svg#glyphicons-halflingsregular') format('svg')} </code></pre> <p>i did try couple of solution like prepending 'font' or 'assets' to 'url' but none worked. </p> <p>--UPDATE</p> <p>contents of config/application.rb</p> <pre><code>config.assets.enabled = true config.assets.version = '1.0' config.assets.paths += ["#{config.root}/vendor/assets/fonts", "#config.root}/app/assets/images/**", "#{config.root}/vendor/assets/images"] config.assets.precompile += %w(*.png *.jpg *.jpeg *.gif *.eot *.svg *.ttf *.otf *.woff vendor/assets/stylesheets/**/* vendor/assets/fonts/*) ["#{config.root}/vendor/assets/javascripts", "#config.root}/vendor/assets/stylesheets"].each do |d| config.assets.precompile += Dir.glob("#{d}/*").map{|f| "#{f.gsub(d + '/', '')}/**/*" if File.directory?(f)}.compact </code></pre> |
15,101,559 | 0 | Terminal: Where is the shell start-up file? <p>I'm following a tutorial called <a href="http://www.jeffknupp.com/blog/2012/10/24/starting-a-django-14-project-the-right-way/">Starting a Django 1.4 Project the Right Way</a>, which gives directions on how to use virtualenv and virtualenvwrapper, among other things.</p> <p>There's a section that reads: </p> <blockquote> <p>If you're using pip to install packages (and I can't see why you wouldn't), you can get both virtualenv and virtualenvwrapper by simply installing the latter.</p> <pre><code> $ pip install virtualenvwrapper </code></pre> <p>After it's installed, add the following lines to your shell's start-up file (.zshrc, .bashrc, .profile, etc).</p> <pre><code> export WORKON_HOME=$HOME/.virtualenvs export PROJECT_HOME=$HOME/directory-you-do-development-in source /usr/local/bin/virtualenvwrapper.sh </code></pre> <p>Reload your start up file (e.g. source .zshrc) and you're ready to go.</p> </blockquote> <p>I am running Mac OSX, and don't know my way around the Terminal too well. What exactly does the author mean by <code>shell's start-up file (.zshrc, .bashrc, .profile, etc)</code>? Where do I find this file, so that I can add those three lines?</p> <p>Also, what does he mean by <code>reload your start up file (e.g. source .zshrc)</code>?</p> <p>I would appreciate a detailed response, specific to OSX.</p> |
18,666,043 | 0 | Selecting even rows through it class name <p>Problem selecting even rows through it class name:</p> <pre><code>$(".recDetails table tr").each(function() { if( !($(this).css("display") == "none")){ $(this).addClass("block"); }; }); $(".recDetails table").each(function(i) { $(this).find("tr.block:even").css("background-color", "#fff"); $(this).find("tr.block:odd").css("background-color", "#efefef"); }); </code></pre> <p>It is taking into the count all of the "<strong>tr</strong>" so:</p> <pre><code>(1) tr class="block" (2) tr (3) tr class="block" </code></pre> |
Subsets and Splits