pid
int64 2.28k
41.1M
| label
int64 0
1
| text
stringlengths 1
28.3k
|
---|---|---|
38,009,704 | 0 | <p>You need to provide full path to the .trx file. With below changes in begin analysis and try it again.</p> <p><strong>Change</strong></p> <pre><code>/d:sonar.cs.vstest.reportsPaths=../TestResults/*.trx </code></pre> <p><strong>To</strong></p> <pre><code> /d:sonar.cs.vstest.reportsPaths=../TestResults/Mytest.trx </code></pre> |
39,646,916 | 0 | How to run exe file in VM using PowerCLI? <p>Recently I am working on VMs, using vSphere. I'm also using PowerCLI to automate some stuff. I discovered the cmdlet <code>Invoke-VMScript</code> which allows scripts to be ran on the VM using PowerShell.</p> <p>Everything worked just fine until I tried to install a program in the VM:</p> <pre><code>Invoke-VMScript -VM $vm -ScriptText " 'path'.exe" -GuestUser "YourUsername" -GuestPassword "YourPassword" </code></pre> <p>The program won't run, but we can see the process runs. I explored more and discovered it happens in every exe file. It just won't display the GUI, and also won't perform the desired operation.</p> <p>What can I do to make the PowerCLI run EXE files?</p> |
26,915,792 | 0 | How to use multiple controller or how properly use Apache Tiles? <p>I make website by Spring MVC and have few questions:</p> <ol> <li><p>For presented the view I use Apache Tiles tool. Is it a good idea or is there better ways?</p></li> <li><p>There are body and rightsidebar in my website structure. For secure I use the Spring Security. And i want implement some view that will show for example in body users list and in sidebar authentication form. But on another page it will show another data, like for example some image from data base in body and user profile in sidebar.</p></li> </ol> <p>Are there some advises? </p> |
6,796,319 | 0 | Batch file to determine if using Command Prompt <p>The last line in my batch file is <code>pause</code>. Is there any way to add a if condition to see if the script is run within command prompt or by double clicking to execute? I want to skip pause if it's running in command prompt.</p> <pre><code>... ... if not RUN_IN_COMMAND_PROMPT ( pause ) </code></pre> <p>EDIT: Hope to find a solution works in Windows Server 2003/2008, WinXP, Win7.</p> |
7,926,844 | 0 | <p>I solved the problem! </p> <p>I'm developing this app using Flash Builder 4.5, and I made a debug/run configuration for iPhone4.<br> Now, when you're specifying a run/debug configuration, you can select a checkbox 'Clear application data on each launch'. This checkbox needs to be UNCHECKED, because this will clear your SharedObject on each application launch!</p> <p>To access this configuration screen in Flash Builder 4.5, click the tiny arrow next to your run/debug button and click Run/Debug Configurations. Navigate to your specified configuration, and uncheck the checkbox! </p> <p>Voila! Enjoy your iOS SharedObject awesomeness!</p> |
12,301,247 | 0 | <p>Don't pass a <code>ByteArrayOutputStream</code> to the <code>PumpStreamHandler</code>, use an implementation of the abstract class <code>org.apache.commons.exec.LogOutputStream</code>. Something like this:</p> <pre class="lang-java prettyprint-override"><code>import java.util.LinkedList; import java.util.List; import org.apache.commons.exec.LogOutputStream; public class CollectingLogOutputStream extends LogOutputStream { private final List<String> lines = new LinkedList<String>(); @Override protected void processLine(String line, int level) { lines.add(line); } public List<String> getLines() { return lines; } } </code></pre> <p>Then after the blocking call to <code>exec.execute</code> your <code>getLines()</code> will have the standard out and standard error you are looking for. The <code>ExecutionResultHandler</code> is optional from the perspective of just executing the process, and collecting all the stdOut/stdErr into a list of lines.</p> |
33,194,823 | 0 | <p>That's right. <code>PriorityQueue</code> of Java does not offer a method to update priority and it seems that deletion is taking linear time since it does not store objects as keys, as <code>Map</code> does. It in fact accepts same object multiple times.</p> <p>I also wanted to make PQ offering update operation. Here is the sample code using generics. Any class that is Comparable can be used with it.</p> <pre><code>class PriorityQueue<E extends Comparable<E>> { List<E> heap = new ArrayList<E>(); Map<E, Integer> map = new HashMap<E, Integer>(); void insert(E e) { heap.add(e); map.put(e, heap.size() - 1); bubbleUp(heap.size() - 1); } E deleteMax() { if(heap.size() == 0) return null; E result = heap.remove(0); map.remove(result); heapify(0); return result; } E getMin() { if(heap.size() == 0) return null; return heap.get(0); } void update(E oldObject, E newObject) { int index = map.get(oldObject); heap.set(index, newObject); bubbleUp(index); } private void bubbleUp(int cur) { while(cur > 0 && heap.get(parent(cur)).compareTo(heap.get(cur)) < 0) { swap(cur, parent(cur)); cur = parent(cur); } } private void swap(int i, int j) { map.put(heap.get(i), map.get(heap.get(j))); map.put(heap.get(j), map.get(heap.get(i))); E temp = heap.get(i); heap.set(i, heap.get(j)); heap.set(j, temp); } private void heapify(int index) { if(left(index) >= heap.size()) return; int bigIndex = index; if(heap.get(bigIndex).compareTo(heap.get(left(index))) < 0) bigIndex = left(index); if(right(index) < heap.size() && heap.get(bigIndex).compareTo(heap.get(right(index))) < 0) bigIndex = right(index); if(bigIndex != index) { swap(bigIndex, index); heapify(bigIndex); } } private int parent(int i) { return (i - 1) / 2; } private int left(int i) { return 2*i + 1; } private int right(int i) { return 2*i + 2; } } </code></pre> <p>Here while updating, I am only increasing the priority (for my implementation) and it is using MaxHeap, so I am doing bubbleUp. One may need to heapify based on requirement.</p> |
7,196,259 | 0 | Given an instance of any class type, how to find out which parent class and/or traits it inherits from or implements? <p>Suppose there are class/trait definitions as follows:</p> <pre><code>trait T1 {} trait T2 {} abstract class A{} class B {} class C extends A with T1 with T2 {} val b = new B with T1 val c = new C </code></pre> <p>Given the instance of b and c, how do I get their inheritance information (i.e. to know that b implements T1, and c implements A, T1 and T2) ? </p> <p>Thanks for your help.</p> |
20,984,959 | 0 | <p>The pointer returned by placement new can be just as UB-causing as any other pointer when aliasing considerations are brought into it. It's your responsibility to ensure that the memory you placed the object into isn't aliased by anything it shouldn't be.</p> <p>In this case, you cannot assume that <code>uint8_t</code> is an alias for <code>char</code> and therefore has the special aliasing rules applied. In addition, it would be fairly pointless to use an array of <code>uint8_t</code> rather than <code>char</code> because <code>sizeof()</code> is in terms of <code>char</code>, not <code>uint8_t</code>. You'd have to compute the size yourself.</p> <p>In addition, <code>reinterpret_cast</code>'s effect is entirely implementation-defined, so the code certainly does not have a well-defined meaning.</p> <p>To implement low-level unpleasant memory hacks, the original memory needs to be only aliased by <code>char*</code>, <code>void*</code>, and <code>T*</code>, where <code>T</code> is the final destination type- in this case <code>int</code>, plus whatever else you can get from a <code>T*</code>, such as if <code>T</code> is a derived class and you convert that derived class pointer to a pointer to base. Anything else violates strict aliasing and hello nasal demons.</p> |
30,524,753 | 0 | <p>Usually it happens because you have an event associated JComboBox. It is solved if you have control item in the JComboBox to act, for example:</p> <pre><code>jComboBoxExample.addActionListener (new ActionListener () { public void actionPerformed (ActionEvent e) { do_run (); } }); public void do_run() { int n=jComboBoxPerfilDocumentos.getItemCount(); <--THIS IS THE SOLUTION if (n> 0) { String x = jComboBoxPerfilDocumentos.getSelectedItem (). ToString (); } } </code></pre> |
16,574,304 | 0 | <p>I had the same problem too (access_token=0), but then I realized I was clearing Facebook cookies before calling getLogoutURL(). If you get the getLogoutURL() result first, access_token should not be zero.</p> |
35,375,993 | 0 | MongoDB 3.2.1 Java BasicDBObjectBuilder <p>I am getting the following Error when I tried to insert BasicDBObjectBuilder into collection</p> <blockquote> <p>Caused by: java.lang.ClassCastException: com.mongodb.BasicDBObject cannot be cast to com.mongodb.BasicDBObjectBuilder</p> </blockquote> <pre><code> MongoClient mongo = new MongoClient( "xxx.xxx.x.x" , 27017 ); MongoDatabase db = mongo.getDatabase("hello"); //create database MongoCollection<BasicDBObjectBuilder> collbuild = db.getCollection("newcoll", BasicDBObjectBuilder.class); BasicDBObjectBuilder collbuilder = BasicDBObjectBuilder.start() .add("name","joe") .add("dob", "12/12/12") .add("country", "Utopia"); collbuild.insertOne((BasicDBObjectBuilder) collbuilder.get()); // passing BasicDBObjectBuilder into a BasicDBObjectBuilder collection? </code></pre> <p>I thought I am passing the BasicDBObjectBuilder into a BasicDBObjectBuilder collection. I know how to use BasicDBObject but I want to try this method because I am new to programming. So can someone clarify?</p> <blockquote> <p>UPDATED</p> </blockquote> <p>It seems I was trying to to use insertOne which is a BasicDBObject function. So what is needed to pass the BasicDBObjectBuilder into a BasicDBObjectBuilder collection?</p> |
21,840,030 | 0 | <p>It's a bug, because I don't have enough Motorola devices in my portfolio and missed a flaw in my new <code>getDefaultProfile()</code> implementation. Track <a href="https://github.com/commonsguy/cwac-camera/issues/104" rel="nofollow">the bug that you linked to</a> and watch for an 0.6.1 release soonish. My apologies for the hassle, and thanks for letting me know!</p> |
31,095,457 | 0 | Google APIS return wrong zip code <p>I try to get the map from Google APIS, my link is: <a href="https://maps.googleapis.com/maps/api/geocode/json?address=%E3%80%92106-6108%E6%9D%B1%E4%BA%AC%E9%83%BD%E6%B8%AF%E5%8C%BA%E5%85%AD%E6%9C%AC%E6%9C%A8%E5%85%AD%E6%9C%AC%E6%9C%A8%E3%83%92%E3%83%AB%E3%82%BA%E6%A3%AE%E3%82%BF%E3%83%AF%E3%83%BC%EF%BC%98%E9%9A%8E+JP" rel="nofollow">https://maps.googleapis.com/maps/api/geocode/json?address=%E3%80%92106-6108%E6%9D%B1%E4%BA%AC%E9%83%BD%E6%B8%AF%E5%8C%BA%E5%85%AD%E6%9C%AC%E6%9C%A8%E5%85%AD%E6%9C%AC%E6%9C%A8%E3%83%92%E3%83%AB%E3%82%BA%E6%A3%AE%E3%82%BF%E3%83%AF%E3%83%BC%EF%BC%98%E9%9A%8E+JP</a></p> <p>address = 〒106-6108東京都港区六本木六本木ヒルズ森タワー8階 but the result return "formatted_address" : "Roppongi Hills Mori Tower, 6 Chome-10-1 Roppongi, Minato-ku, Tōkyō-to 106-0032, Japan",</p> <p>Why I inputed 106-6108, but Google return 106-0032 ? </p> <p>Please help me, how can I fix that ? Thank you</p> |
14,028,631 | 0 | ln image uploading through http post in php server in android get the Error in http connection java.lang.NullPointerException <p>Hi I m try to upload the image in server through different method in android but it error in logcat Error in http connection java.lang.NullPointerException</p> <p>and here is my code plz tell me where is my mistake in this code for image uploading </p> <pre><code> BitmapFactory.Options options = new BitmapFactory.Options(); // Decode bitmap with inSampleSize set options.inJustDecodeBounds = true; // image path `String` where your image is located BitmapFactory.decodeFile(selectedPath1, options); int bitmapWidth = 400; int bitmapHeight = 250; final int height = options.outHeight; final int width = options.outWidth; int inSampleSize = 1; if (height > bitmapHeight || width > bitmapWidth) { if (width > height) { inSampleSize = Math.round((float) height / (float) bitmapHeight); } else { inSampleSize = Math.round((float) width / (float) bitmapWidth); } } options.inJustDecodeBounds = false; options.inSampleSize = inSampleSize; Bitmap bmpScale = BitmapFactory.decodeFile(selectedPath1, options); ByteArrayOutputStream bos = new ByteArrayOutputStream(); // CompressFormat set up to JPG, you can change to PNG or // whatever you // want; bmpScale.compress(CompressFormat.JPEG, 100, bos); bmpScale.compress(CompressFormat.JPEG, 100, bos); byte[] data = bos.toByteArray(); MultipartEntity entity = new MultipartEntity( HttpMultipartMode.BROWSER_COMPATIBLE); // entity.addPart("avatar", new ByteArrayBody(data,mSignMessg + // "-" + new Random().nextInt(1000) + ".jpg")); entity.addPart("image", new ByteArrayBody(data, "pic.jpg")); // add your other name value pairs in entity. ArrayList<NameValuePair> nameValuePairs = new ArrayList<NameValuePair>(); nameValuePairs .add(new BasicNameValuePair("user_id", mSignMessg)); nameValuePairs.add(new BasicNameValuePair("name", mname .getText().toString())); nameValuePairs.add(new BasicNameValuePair("dob", mbirthday .getText().toString())); nameValuePairs.add(new BasicNameValuePair("bio", mbio.getText() .toString())); nameValuePairs.add(new BasicNameValuePair("sex", mSexValue)); nameValuePairs .add(new BasicNameValuePair("profile_status", "0")); nameValuePairs.add(new BasicNameValuePair("location", mlocation .getText().toString())); // nameValuePairs.add(new BasicNameValuePair("image", ba1)); Log.d("userfile", "userfile " + ba1); // nameValuePairs.add(new BasicNameValuePair("image”, ba1)); for (int i = 0; i < nameValuePairs.size(); i++) { try { entity.addPart( nameValuePairs.get(i).getName(), new StringBody(nameValuePairs.get(i).getValue())); } catch (UnsupportedEncodingException e) { // TODO Auto-generated catch block Log.d("respons", "image respons " + e); e.printStackTrace(); } } // httppost.setEntity(entity); // // HttpResponse response = httpClient.execute(httppost); try { HttpClient httpclient = new DefaultHttpClient(); HttpPost httppost = new HttpPost( "http://iapptechnologies.com/snapic/profileXml.php"); httppost.setEntity(new UrlEncodedFormEntity(nameValuePairs)); httppost.setEntity(entity); Log.d("nameValuePairs", "nameValuePairs " + nameValuePairs); HttpResponse response = httpclient.execute(httppost); HttpEntity entity1 = response.getEntity(); // print responce outPut = EntityUtils.toString(response.getEntity()); Log.i("GET RESPONSE—-", outPut); Log.d("GET RESPONSE—-", outPut); // is = entity.getContent(); Log.e("log_tag ******", "good connection"); System.out.println("gudconection"); Log.d("god connection ", "gud connection "); bitmapOrg.recycle(); } catch (Exception e) { Log.e("logCatch block***", "Error in http connection " + e.toString()); Log.d("log_catch block ******", "Error in http connection " + e.toString()); } </code></pre> <p><em><strong></em>**<em>*</em>**<em>*</em>**<em>*</em>**<em>*</em>**<em>*</em>*</strong><em>LogCat</em><strong><em>*</em>**<em>*</em>**<em>*</em>**<em>*</em>**<em>*</em>**<em>*</em>**<em>*</em></strong> </p> <pre><code>12-25 13:05:21.361: D/dalvikvm(390): GC_FOR_MALLOC freed 9503 objects / 583600 bytes in 94ms 12-25 13:05:30.901: D/setpath(390): setpath /mnt/sdcard/Picture/ Poonam.jpg 12-25 13:05:30.911: D/setpath(390): setpath /mnt/sdcard/Picture/ Poonam.jpg 12-25 13:05:30.911: I/System.out(390): selectedPath1 : /mnt/sdcard/Picture/ Poonam.jpg 12-25 13:05:37.130: D/image_name(390): image_name null 12-25 13:05:38.060: D/dalvikvm(390): GC_EXTERNAL_ALLOC freed 3329 objects / 235376 bytes in 636ms 12-25 13:06:06.541: D/GET RESPONSE—-(390): <?xml version="1.0"?> 12-25 13:06:06.541: D/GET RESPONSE—-(390): <Result> 12-25 13:06:06.541: D/GET RESPONSE—-(390): <Transaction>snapic/profileXml</Transaction> 12-25 13:06:06.541: D/GET RESPONSE—-(390): <Success>True</Success> 12-25 13:06:06.541: D/GET RESPONSE—-(390): <Message>Profile successfully updated</Message> 12-25 13:06:06.541: D/GET RESPONSE—-(390): </Result> 1 12-25 13:06:06.551: E/logCatch block***(390): Error in http connection java.lang.NullPointerException 12-25 13:06:06.551: D/log_catch block ******(390): Error in http connection java.lang.NullPointerException </code></pre> |
33,249,484 | 0 | <p>Some close alternatives are <code>std::vector</code> and <code>std::array</code>. </p> <p>If you want to use an array of bytes, usually <code>uint8_t</code>, you will need to pass the array to functions, <em>as well as the capacity and the number of elements in the array</em>. </p> <p>The issue is that when arrays are passed to functions, the array decays down to a pointer to the first element, without any capacity information. </p> <p>There are no facilities to prevent you from indexing beyond the limits (capacity) of the array. This is why <code>std::vector</code> is a safer choice.</p> |
14,283,665 | 0 | <p>Would a linq query like this be faster:</p> <pre><code>var matches = ( from f in family_list join b in busy_list on f.color == b.color && f.name == b.name select new {f, b} ); </code></pre> |
15,515,301 | 0 | <p>Try this way</p> <pre><code> UISwipeGestureRecognizer *_swipeRecognizer = [[UISwipeGestureRecognizer alloc] initWithTarget:self action:@selector(didSwipe:)]; [_swipeRecognizer setDirection:UISwipeGestureRecognizerDirectionLeft|UISwipeGestureRecognizerDirectionRight]; [_swipeRecognizer setDelegate:self]; [self.view addGestureRecognizer:_swipeRecognizer]; _swipeRecognizer = [[UISwipeGestureRecognizer alloc] initWithTarget:self action:@selector(didSwipe:)]; [_swipeRecognizer setDirection:UISwipeGestureRecognizerDirectionUp|UISwipeGestureRecognizerDirectionDown]; [_swipeRecognizer setDelegate:self]; [self.view addGestureRecognizer:_swipeRecognizer]; </code></pre> <p><strong>EDIT</strong></p> <p>As @LearnCocos2D <a href="http://stackoverflow.com/questions/7420078/detect-when-uigesturerecognizer-is-up-down-left-and-right-cocos2d/7760927#7760927">suggested</a> " <em>Apparently each UISwipeGestureRecognizer can only detect the swipe in the given direction. Even though the direction flags could be OR'ed together the UISwipeGestureRecognizer ignores the additional flags.</em> "</p> <p>And As per your "<strong>Note</strong>: <em>I do not need to detect the actual direction of the swipe. I just need to know there is a swipe.</em>", You just need to detect swipe not the direction so combining right-left as one and up-down as other gesture will work.</p> |
21,927,505 | 0 | Does DBCursor.getServerAddress work as I expect? <p>I expect <a href="http://api.mongodb.org/java/2.6/com/mongodb/DBCursor.html#getServerAddress%28%29" rel="nofollow">getServerAddress</a> to return the address of the Mongo server (one of replica set nodes), which actually handles the query.</p> <p>I am logging output of <a href="http://api.mongodb.org/java/2.6/com/mongodb/DBCursor.html#getServerAddress%28%29" rel="nofollow">getServerAddress</a> and see only the <em>primary</em> address although I am <em>pretty sure</em> that some queries are handled by <em>secondary</em>.</p> <p>I am a little bit confused since I see queries (having set <code>profillingLevel</code>) in the <em>secondary</em> while <a href="http://api.mongodb.org/java/2.6/com/mongodb/DBCursor.html#getServerAddress%28%29" rel="nofollow">getServerAddress</a> returns the <em>primary</em>. Maybe I am mistaken though ...</p> <p>Can it be a bug in the API ? Does anybody encounter such a problem ? Is it possible that <a href="http://api.mongodb.org/java/2.6/com/mongodb/DBCursor.html#getServerAddress%28%29" rel="nofollow">getServerAddress</a> always returns the <em>primary</em> while some queries are actually handled by <em>secondaries</em> ?</p> |
31,532,854 | 0 | <p>I would go with a regex. I am not sure how to do this in Java but in python that would be:</p> <pre><code>(\w+):([ ,\w]+)(,|$) </code></pre> <p>Tested on <a href="http://pythex.org/" rel="nofollow">pythex</a> with input <code>abc:xy z uvw, def:g,hi, mno:rst</code>. The result is:</p> <pre><code>Match 1 1. abc 2. xy z uvw 3. , Match 2 1. def 2. g,hi 3. , Match 3 1. mno 2. rst 3. Empty </code></pre> <p>So for each match you get the key in position 1 and the value in 2. The separator is stored in 3</p> |
20,780,300 | 0 | <p>The error you are getting acoording to the log is a problem concerning ClassPaths.</p> <p>Read <a href="http://stackoverflow.com/questions/34413/why-am-i-getting-a-noclassdeffounderror-in-java">here</a></p> |
19,300,890 | 0 | <p>I'm not sure what are you looking for, But if you have ssh access to server, I propose to use filesystem backup or some useful tools like <a href="http://www.percona.com/doc/percona-xtrabackup/2.1/innobackupex/innobackupex_script.html" rel="nofollow">innobackupex</a> instead of mysqldump. For big data mysqldump isn't good solution.</p> |
8,073,011 | 0 | <p>Pretty straightforward:</p> <pre><code>0[0-9]{3}(w000|n000|wd00|nd00)[a-z0-9]{7} </code></pre> <p>There are plenty of other ways you can represent this, but this should match the string you described.</p> |
30,681,861 | 1 | python socket json -- no JSON object could be decode <p>My python version is 2.7, and I encounter a problem as below picture <img src="https://i.stack.imgur.com/Y1OBH.jpg" alt="enter image description here"></p> <p><strong>This is the client</strong></p> <pre><code>name = raw_input("Please enter your username: ") passwd = raw_input("Please enter you password: ") data = {"username": name, "password": passwd} sock.connect((HOST,PORT)) sock.sendall(bytes(json.dumps(data)) </code></pre> <p><strong>And this is the server</strong></p> <pre><code>rcv_msg = json.loads(self.client_socket.recv(1024).strip()) print rcv_msg username = rcv_msg['username'] password = rcv_msg['password'] print "username: " + username print "password: " + password </code></pre> <p>However, I still get the username and password... Please someone help me to clean this bug~ Thanks</p> |
15,963,140 | 0 | <p>I have done the same swipe to delete functionality using <a href="https://github.com/alikaragoz/MCSwipeTableViewCell" rel="nofollow">MCSwipeTableCell</a></p> <p>For deleting a particular row from table with animation do this:</p> <pre><code> //I am passing 0,0 so you gotta pass the row that was deleted. NSIndexPath *indexPath=[NSIndexPath indexPathForRow:0 inSection:0] [self.yourTable deleteRowsAtIndexPaths:[NSArray arrayWithObject:indexPath] withRowAnimation:UITableViewRowAnimationFade]; </code></pre> <p>For deleting from core data do this:</p> <pre><code>YourCustomModel *modelObj; NSManagedObjectContext *context= yourmanagedObjectContext; NSFetchRequest *request = [[NSFetchRequest alloc] init]; [request setEntity:[NSEntityDescription entityForName:@"YourCustomModel" inManagedObjectContext:context]]; NSPredicate *predicate = [NSPredicate predicateWithFormat:@"yourField == %@", passTheFieldValueOfTheRowDeleted]; [request setPredicate:predicate]; NSError *error = nil; NSArray *results = [context executeFetchRequest:request error:&error]; if ([results count]>0) { modelObj = (Customers *)[results objectAtIndex:0]; } [context deleteObject:modelObj]; if (![context save:&error]) { NSLog(@"Sorry, couldn't delete values %@", [error localizedDescription]); } </code></pre> |
9,498,632 | 0 | <p>Check out everything at <a href="http://diveintohtml5.info/detect.html#techniques" rel="nofollow">Dive into HTML5</a> especially the 'Detecting HTML5 Techniques' section. It has pretty much everything you may need.</p> |
1,788,256 | 0 | Checking the existane of a particular character in an array of strings <p>i have an array of strings say for example @"123",@"373",@"221",@"921" .I need to check in how many elements of that array 2 exists and want to concatenate those elements into a mutable string and finally eradicate all two and prepare a string.I should have a string 13373191 out of the above example</p> |
35,038,487 | 0 | <p>Abstract classes are similar to interfaces. You cannot instantiate them, and they may contain a mix of methods declared with or without an implementation. However, with abstract classes, you can declare fields that are not static and final, and define public, protected, and private concrete methods. With interfaces, all fields are automatically public, static, and final, and all methods that you declare or define (as default methods) are public. In addition, you can extend only one class, whether or not it is abstract, whereas you can implement any number of interfaces.</p> <p>Which should you use, abstract classes or interfaces?</p> <ul> <li>Consider using abstract classes if any of these statements apply to your situation: <ul> <li>You want to share code among several closely related classes.</li> <li>You expect that classes that extend your abstract class have many common methods or fields, or require access modifiers other than public (such as protected and private).</li> <li>You want to declare non-static or non-final fields. This enables you to define methods that can access and modify the state of the object to which they belong.</li> </ul></li> <li>Consider using interfaces if any of these statements apply to your situation: <ul> <li>You expect that unrelated classes would implement your interface. For example, the interfaces Comparable and Cloneable are implemented by many unrelated classes.</li> <li>You want to specify the behavior of a particular data type, but not concerned about who implements its behavior.</li> <li>You want to take advantage of multiple inheritance of type.</li> </ul></li> </ul> <p><a href="http://www.javatpoint.com/q/5379/can-you-give-me-realtime-examples-on-abstract-class-and-interface?" rel="nofollow">realtime-examples</a></p> <p><a href="http://stackoverflow.com/questions/18944539/abstract-class-real-time-example">abstract-class-real-time-example</a></p> |
27,573,303 | 0 | <p>I used <a href="http://www.codeproject.com/Articles/155422/jQuery-DataTables-and-ASP-NET-MVC-Integration-Part" rel="nofollow noreferrer">this</a> reference to implement DataTables with row details in MVC 4 using the Razor engine (I initially wanted to pass JSON, but found another approach that provides the functionality that I was looking for and felt along the lines of what I usually do in MVC).</p> <p>I assume that DataTables is already implemented, a means for data retrieval is implemented, and MVC 4 with the Razor engine is being used. I will only be focusing on how to implement DataTables with row details in MVC. </p> <hr> <p>My models:</p> <pre><code>public class Advisor { public int Id { get; set; } public string FirstName { get; set; } public string LastName { get; set; } public string Discipline { get; set; } } public class Student { public int Id { get; set; } public string FirstName { get; set; } public string LastName { get; set; } public string Major { get; set; } public int AdvisorId { get; set; } } </code></pre> <p>Given my models, I have a view that displays a table of advisors:</p> <pre><code>@model IEnumerable<DataTablesMvcExample.Models.Advisor> @{ ViewBag.Title = "Index"; //eg, [url]/Advisor Layout = "~/Views/Shared/_Layout.cshtml"; //will explain later } <table id="sort"> <thead> <tr> <th>First Name</th> <th>Last Name</th> <th>Discipline</th> </tr> </thead> <tbody> @foreach (var item in Model) { <tr> <td>@item.FirstName</td> <td>@item.LastName</td> <td>@item.Discipline</td> </tr> } </tbody> </table> </code></pre> <p>I would like to display the students each advisor advises. To do this:</p> <p>1) In my controller, with respect to the view in which the table above lies, I add the code below:</p> <pre><code>public ActionResult AdvisorStudents(int advisorId) { var advisorStudents = //retrieve students based on their advisor return View(advisorStudents); } </code></pre> <p>2) I create a view called AdvisorStudents.cshtml (eg, [url]/Advisor/AdvisorStudents)</p> <pre><code>@model IEnumerable<DataTablesMvcExample.Models.Student> @{ Layout = null; //Using a layout will cause this table to not open as row details. I was at a loss until I explicitly defined this. } <table> <thead> <tr> <th>First Name</th> <th>Last Name</th> <th>Major</th> </tr> </thead> <tbody> @foreach (var item in Model) { <tr> <td>@item.FirstName</td> <td>@item.LastName</td> <td>@item.Major</td> </tr> } </tbody> </table> </code></pre> <p>3) In the view the table of advisors lie, I add the JavaScript below, DISCLAIMER: I borrowed a lot of this from the aforementioned reference.</p> <pre><code><script type="text/javascript"> var oTable; $(document).ready(function () { $('#sort tbody td img').click(function () { var nTr = this.parentNode.parentNode; /* close image is displayed while viewing row details*/ if (this.src.match('close')) { //ie, match "~/[directory]/*close*.png" /* close this row as it is open */ this.src = //path of open image oTable.fnClose(nTr); } /* open image is displayed to view row details */ else { /* open this row */ this.src = //path of close image var advisorId = $(this).attr("rel"); $.get("Advisor/AdvisorStudents?AdvisorId=" + advisorId, function (students) { oTable.fnOpen(nTr, students, 'row_details'); }); } }); /* Initialize datatable and make column that opens/closes non-sortable*/ oTable = $('#sort').dataTable({ "bJQueryUI": true, "aoColumns": [ { "bSortable": false, "bSearchable": false }, null, null, null ] }); }); </script> </code></pre> <p>When I initialize the DataTables for the table of advisors above, I specify four columns, with the first column not sortable or searchable. The table of advisors specified three columns above. The column not specified, which will become my first column, is where my open/close display will go. I add a header cell <code><th></th></code> and a standard cell <code><td><img src=//path of open image alt="expand/collapse" rel="@item.Id"/></td></code> as the first column to achieve this.</p> <p>NOTE: You can have the open/close display in any column you'd like. To do so:</p> <p><strong>Javascript</strong></p> <ul> <li>Change <code>td</code> in <code>$('#sort tbody td img')</code> to <code>td:nth-child(x)</code> or <code>td:last-child</code>.</li> <li>Have the not sortable/searchable declaration match which column you wish to have your open/close display on</li> </ul> <p><strong>HTML</strong></p> <ul> <li>Have the <code><th></code> and <code><td></code> cells match which column you wish to have your open/close display on</li> </ul> <p><img src="https://i.stack.imgur.com/oOo21.png" alt="DataTables with row details in MVC 4"></p> <p>Hope this helps someone. <strike>I have a <a href="http://sscce.org/" rel="nofollow noreferrer">SSCCE</a> by request.</strike> I know this is a necrobump, but I couldn't find a suitable example (aside from the one I reference above) to suit my needs. This question asks for an example, here is mine.</p> |
16,145,849 | 0 | <p>Because <code>typeof</code> will only return string, so it is safe to compare two strings with <code>==</code>.</p> |
31,225,566 | 0 | <p>You can't use the matched group (<code>\1</code>) as a value for the <code>upload:</code> part of a static-handler - it needs to know precisely which files to upload to the static servers.</p> |
14,500,403 | 0 | <p>It should be pretty easy with list comprehensions</p> <pre><code>[ f for f in sftp.listdir("path_to_files") if f.endswith(".csv") ] </code></pre> |
30,413,134 | 0 | rails bundle install sqlite3 failed in kali linux <p>Please help me to resolve this problem I use kali linux os!! root@artisla:~/Documents/Adilet/Programming/blog# gem install sqlite3 -- --with-sqlite3-dir=/opt/local Building native extensions with: '--with-sqlite3-dir=/opt/local' This could take a while... ERROR: Error installing sqlite3: ERROR: Failed to build gem native extension.</p> <pre><code>/usr/local/rvm/rubies/ruby-2.2.2/bin/ruby -r ./siteconf20150523-10092-2alrq5.rb extconf.rb --with-sqlite3-dir=/opt/local </code></pre> <p>checking for sqlite3.h... no sqlite3.h is missing. Try 'port install sqlite3 +universal', 'yum install sqlite-devel' or 'apt-get install libsqlite3-dev' and check your shared library search path (the location where your sqlite3 shared library is located). <strong>* extconf.rb failed *</strong> Could not create Makefile due to some reason, probably lack of necessary libraries and/or headers. Check the mkmf.log file for more details. You may need configuration options.</p> <p>Provided configuration options: --with-opt-dir --without-opt-dir --with-opt-include --without-opt-include=${opt-dir}/include --with-opt-lib --without-opt-lib=${opt-dir}/lib --with-make-prog --without-make-prog --srcdir=. --curdir --ruby=/usr/local/rvm/rubies/ruby-2.2.2/bin/$(RUBY_BASE_NAME) --with-sqlite3-dir --with-sqlite3-include --without-sqlite3-include=${sqlite3-dir}/include --with-sqlite3-lib --without-sqlite3-lib=${sqlite3-dir}/lib</p> <p>extconf failed, exit code 1</p> <p>Gem files will remain installed in /usr/local/rvm/gems/ruby-2.2.2/gems/sqlite3-1.3.10 for inspection. Results logged to /usr/local/rvm/gems/ruby-2.2.2/extensions/x86-linux/2.2.0/sqlite3-1.3.10/gem_make.out</p> |
1,771,379 | 0 | <p>Python:</p> <pre><code>import os import sys if os.isatty(sys.stdin.fileno()): print "is a tty" else: print "not a tty" </code></pre> <p>I'm not aware of a Java equivalent using the default libraries; Jython appears to use native code (<a href="http://kenai.com/projects/jna-posix" rel="nofollow noreferrer">jna-posix</a>).</p> <p><strong>Update -</strong> here's two possibilities:</p> <ul> <li><a href="http://download.oracle.com/javase/6/docs/api/java/lang/System.html#console()" rel="nofollow noreferrer">System.console()</a> returns a console object if there is one; <code>null</code> otherwise (see <a href="http://stackoverflow.com/questions/4005378/console-writeline-and-system-out-println">here</a> and <a href="http://stackoverflow.com/questions/2369731/java-console-applications-is-system-out-still-the-way-to-go">here</a>)</li> <li>System.out.<a href="http://download.oracle.com/javase/6/docs/api/java/io/InputStream.html#available()" rel="nofollow noreferrer">available()</a> returns 0 if there's no input immediately available, which tends to mean stdin is a terminal (but not always - this is a less accurate test)</li> </ul> |
24,220,654 | 0 | Angular - linking to a ngInclude partial <p>I have followed the documentation on setting up <a href="https://docs.angularjs.org/api/ng/directive/ngInclude" rel="nofollow"><code>ngInclude</code></a> and have it working (loading in HTML partials) and changing the partial when a select option is changed.</p> <pre><code>$scope.templates = [ { name: 'Overview', url: 'partials/project/overview.html' }, { name: 'Tasks', url: 'partials/project/tasks.html' } ]; $scope.template = $scope.templates[0]; ---- <div ng-controller="Tasks"> <select ng-model="template" ng-options="t.name for t in templates"> <option value="">(blank)</option> </select> <section ng-include="template.url"></section> </div> </code></pre> <p>However, I don't want to use a select menu to navigate. I want to use an unordered list. I tried using <code>ngHref</code>, but that doesn't seem to work. I can't find much documentation on binding an element to change an <code>ngInclude</code> partial, but maybe I'm searching for the wrong thing.</p> <p>Any help on how I could use anchor tags to change the partial being loaded in on click would be great.</p> <p>Here's the structure I was playing around with:</p> <pre><code><ul class="header-menu"> <li><a ng-modal="template" ng-href="{{template[0]}}" class="selected">Overview</a></li> <li><a ng-modal="template" ng-href="{{template[1]}}">Tasks</a></li> </ul> </code></pre> |
2,521,628 | 0 | <p>As mentioned above, use collection initializers. In addition, if you are looking to convert from string[] to List , you can use the ToList() extension method in the System.Linq namespace like so:</p> <pre><code>string[] s = { "3", "4", "4"}; List<string> z = s.ToList(); </code></pre> |
32,436,354 | 0 | <p>Typically, I attach an event to the <code>onload</code> event of the window. This will be fired whenever all the resources <em>initially present</em> on the page have loaded (css/html/images/sounds/videos).</p> <p>To do this, you simply need do the following:</p> <p><code>window.addEventListener('load', onDocLoaded, false);</code></p> <p>Next, you need a function that will actually handle this event:</p> <pre><code>function onDocLoaded(evt) { /* initialization code goes here */ } </code></pre> <p>In your case, you'd just need to add a call to the <code>exludeUserAgent</code> function to the body of <code>onDocLoaded</code>.</p> |
31,749,735 | 0 | request only htaccess auth for one of many domains <p>I have a system where x domains could lead to the same folder on the server.<br> (content is shown by the Database for the given domain)</p> <p>Now I want to develop a new page but I would need a htaccess auth only for this domain.</p> <p>example1.com ok<br> example2.com auth<br> example3.com ok </p> <p>Any idea?</p> |
10,595,090 | 0 | Derelict2 on Mac OS X 10.7: SDL failing to build <p>I'm trying to build <a href="http://www.dsource.org/projects/derelict" rel="nofollow">Derelict2</a> on Lion as per the included <a href="http://svn.dsource.org/projects/derelict/branches/Derelict2/doc/build.html" rel="nofollow">installation instructions</a>. When I run the command <code>make -fmac.mak DC=dmd</code> the following libraries build fine:</p> <ul> <li>DerelictAllegro</li> <li>DerelictFMOD</li> <li>DerelictFT</li> <li>DerelictGL</li> <li>DerelictIL</li> <li>DerelictODE</li> <li>DerelictOgg</li> <li>DerelictPA </li> </ul> <p>Unfortunately once the script gets up to DerelictSDL it spits out the following:</p> <pre><code>make -C DerelictSDL all PLATFORM=mac dmd -release -O -inline -I../DerelictUtil -c derelict/sdl/sdl.d derelict/sdl/sdlfuncs.d derelict/sdl/sdltypes.d -Hd../import/derelict/sdl dmd -release -O -inline -I../DerelictUtil -c derelict/sdl/macinit/CoreFoundation.d derelict/sdl/macinit/DerelictSDLMacLoader.d derelict/sdl/macinit/ID.d derelict/sdl/macinit/MacTypes.d derelict/sdl/macinit/NSApplication.d derelict/sdl/macinit/NSArray.d derelict/sdl/macinit/NSAutoreleasePool.d derelict/sdl/macinit/NSDictionary.d derelict/sdl/macinit/NSEnumerator.d derelict/sdl/macinit/NSEvent.d derelict/sdl/macinit/NSGeometry.d derelict/sdl/macinit/NSMenu.d derelict/sdl/macinit/NSMenuItem.d derelict/sdl/macinit/NSNotification.d derelict/sdl/macinit/NSObject.d derelict/sdl/macinit/NSProcessInfo.d derelict/sdl/macinit/NSString.d derelict/sdl/macinit/NSZone.d derelict/sdl/macinit/runtime.d derelict/sdl/macinit/SDLMain.d derelict/sdl/macinit/selectors.d derelict/sdl/macinit/string.d -Hd../import/derelict/sdl/macinit derelict/sdl/macinit/NSString.d(134): Error: cannot implicitly convert expression (this.length()) of type ulong to uint derelict/sdl/macinit/NSString.d(135): Error: cannot implicitly convert expression (str.length()) of type ulong to uint derelict/sdl/macinit/NSString.d(140): Error: cannot implicitly convert expression (cast(ulong)(selfLen + aStringLen) - aRange.length) of type ulong to uint make[1]: *** [dmd_mac_build_sdl] Error 1 make: *** [DerelictSDL_ALL] Error 2 </code></pre> |
2,018,121 | 0 | <ul> <li><p>At the Microsoft 2009 Mix Web developer conference, all the presentations that I attended included code examples in C#, not VB.</p></li> <li><p>In StackOverflow, notice how questions tagged c# largely outnumber vb.net and vb.</p></li> <li><p>John Skeet wrote <em><a href="http://csharpindepth.com/" rel="nofollow noreferrer">C# in Depth</a></em>, not <em>VB in Depth</em>.</p></li> </ul> |
24,959,488 | 0 | <pre><code>declare @query varchar(8000) select @query=' SELECT * FROM Products WHERE Name LIKE ''%' + replace((SELECT TOP 1 Gift.name FROM Gift),' ','%'' or name like ''%') + '%''' exec (@query) </code></pre> |
1,138,066 | 0 | Javascript DoEvents equivalent? <p>Here is my shortened code snippet:</p> <pre><code>$(document).ready(function() { $.get("/Handlers/SearchData.ashx", function(data) { json = $.evalJSON(data); }); //do some other stuff //use json data alert(json == null); }); </code></pre> <p>Alert says true because evalJson is not done processing JSON data yet (21kb gzipped). I need to wait somehow for it to finish before using that data - exactly what I'd do with DoEvents in a while loop. </p> |
9,466,287 | 0 | Erlang: How to transform a decimale into a Hex string filled with zeros <p>I would like to transform 42 (Base 10) into 000002A (Base 16) in Erlang...</p> <p>I have found some pointers on the web : </p> <pre><code>io:format("~8..0B~n", [42]) -> 00000042 </code></pre> <p>And</p> <pre><code>io:format("~.16B~n", [42]) -> 2A </code></pre> <p>But I cannot seems to find how to do both at the same time, I have tried : </p> <pre><code>io:format("~8..0.16B~n", [42]) </code></pre> <p>Which seemed to be the logical thing, but it is not, it gives me an error.</p> <p>Thanks.</p> |
29,494,339 | 0 | <p><a href="http://bmp.lightbody.net/" rel="nofollow">BrowserMob Proxy</a> might help. I have had luck with it in the past when dealing with basic authentication.</p> |
24,392,590 | 0 | GPRS AT Command CGDCONT - Do I really need an APN? <p>I am developing embedded firmware to communicate with the Multi-Tech's MTSMC-H5 GPRS Modem. I am unclear the use of AT+CGDCONT command. In the H5 modem's Reference Guide, it states the command format is</p> <pre><code>>AT+CGDCONT=[<cid>[,<PDP_type>[,<APN>[,<PDP_addr>[,<d_comp> >[,<h_comp>[,<pd1>[,…[,pdN]]]]]]]]] >... ><APN> Access Point Name. String parameter that is a logical name used to select the >GGSN or the external packet data network. If the value is empty (“”) or omitted, >3GPP TS 27.007 AT COMMANDS then the subscription value is requested. >... </code></pre> <p>What effect would that be if I leave the APN field blank? It seems I can connect to the cell network while leaving the APN field blank. I tried several SIM cards and they all seem to work without specifying the APN field. However, I'd like to know for sure that what I do is appropriate. Because I have very limited UI capability (no real keypad on the device that the modem is attached to), it is highly desirable if an end user does not have to enter any APN information.</p> |
35,619,834 | 0 | JDBC GUI login, textfield to local string variable <p>I have a TextField for a username named <code>username</code> and a PasswordTextField named <code>password</code>. I declared two local string variables, <code>user</code> and <code>pass</code>. I have a database but I still can't get into the "welcome" part. This is my code.</p> <pre><code>try { Class.forName("com.mysql.jdbc.Driver"); //making a connection through the driver connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/login", "root", "123456"); //System.out.println("Connected to database"); statement = connection.createStatement(); rs = statement.executeQuery("SELECT * FROM login.credentials"); while (rs.next()) { String user = rs.getString("username"); String pass = rs.getString("password"); if (username.equals(user) && password.equals(pass)){ System.out.println("Welcome!"); } else { System.out.println("Invalid password!"); } } } </code></pre> |
29,661,021 | 0 | <p>Simply replace:</p> <pre><code> .filter_by(year=year) .filter_by(month=month) </code></pre> <p>with:</p> <pre><code>from sqlalchemy.sql.expression import func # ... .filter(func.year(Logs.timestamp) == year) .filter(func.month(Logs.timestamp) == month) </code></pre> <p>Read more on this in <a href="http://docs.sqlalchemy.org/en/rel_0_9/core/functions.html" rel="nofollow">SQL and Generic Functions</a> section of documentation.</p> |
17,136,314 | 0 | Ruby on Rails, is it possible to make the model validation dependent on the input? <p>In my project I have two models, <code>Treatment</code> and <code>Category</code>:</p> <pre><code> class Category < ActiveRecord::Base attr_accessible :typ has_many :treatments end class Treatment < ActiveRecord::Base belongs_to :patient belongs_to :category attr_accessible :content, :day, :typ, :category_typ end </code></pre> <p>So in my treatment form the user can also choose the category (around 4 categories):</p> <pre><code><div class="field"> <%= f.label :category_id %><br /> <%= f.collection_select :category_id, Category.find(:all), :id, :typ %> </div> </code></pre> <p>So my question is, can I make the validation of the <code>Treatment</code> model dependent on the selected categories in the form? And how?</p> |
18,027,553 | 0 | Get a list of checked checbox values with jQuery <p>I have the following HTML:</p> <pre><code><input type="checkbox" name="subregion[]" value="North East" />North East <input type="checkbox" name="subregion[]" value="North West" />North West <input type="checkbox" name="subregion[]" value="Midlands" />Midlands <input type="checkbox" name="subregion[]" value="South East" />South East <input type="checkbox" name="subregion[]" value="South West" />South West <input type="checkbox" name="subregion[]" value="Wales" />Wales <input type="checkbox" name="subregion[]" value="Scotland" />Scotland </code></pre> <p>And I want to pass through a list of values of checked inputs to a php script using ajax. I just can't work out how to achieve it with jQuery?</p> |
10,751,059 | 0 | <p>I'm pretty sure that is not how JavaScript scoping works...</p> <p>In your example there are 2 ways to do what you would want to do:</p> <pre><code>//this is the bad way imo, since its not really properly scoped. // you are declaring the planeEarth and tpl globally // ( or wherever the scope of your define is. ) var plantetEarth = { name: "Earth", mass: 1.00 } var tpl = new Ext.Template(['<tpl for".">', '<p> {name} </p>', '</tpl>'].join('')); tpl.compile(); Ext.define('casta.view.Intro', { extend: 'Ext.tab.Panel', //alias: 'widget.currentDate', //this makes it xtype 'currentDate' //store: 'CurrentDateStore', initComponent: function(){ this.callParent(arguments); }, html:tpl.apply(planetEarth) }); </code></pre> <p>or </p> <pre><code>//I would do some variation of this personally. //It's nice and neat, everything is scoped properly, etc etc Ext.define('casta.view.Intro', { extend: 'Ext.tab.Panel', //alias: 'widget.currentDate', //this makes it xtype 'currentDate' //store: 'CurrentDateStore', initComponent: function(){ this.tpl = new Ext.Template(['<tpl for".">', '<p> {name} </p>', '</tpl>'].join('')); this.tpl.compile(); this.tpl.apply(this.planetEarth); this.html = this.tpl.apply(this.planetEarth) this.callParent(arguments); }, }); </code></pre> |
33,608,494 | 0 | Magento is returning “200 OK” status instead of “404 not found” <p>I have installed Magento 1.7.0.2.</p> <p>If I browse to a non-existent URL on my site, I receive a "200 OK" status from the server, despite the URL still being invalid and the 404 page still being presented.</p> <blockquote> <blockquote> <p>culr - I www.shopmami.com//aa HTTP/1.1 200 OK Date: Mon, 09 Nov 2015 11:27:49 GMT Server: Apache X-Powered-By: PHP/5.2.17</p> </blockquote> </blockquote> <p>Could you please help me?. </p> |
9,750,309 | 0 | javascript callback not pushing data up to the top of the calls <p>I am slowly learning how to use callbacks and I am running into trouble. I think the code below should work byt it is not.</p> <p>From what I can tell it is not descending in to the recursive function as when it hit another 'tree' entry or outputting anything at the end.</p> <p>One of the issues I ran into is the callback in the for loop. I was not sure that there is a better way to do it: I just used a counter to see if I was at the end of the loop before calling the callback.</p> <p>Some guidance would be really appreciated.</p> <pre><code>(function () { 'use strict'; var objectsList = []; function makeAJAXCall(hash, cb) { $.ajaxSetup({ accept: 'application/vnd.github.raw', dataType: 'jsonp' }); $.ajax({ url: hash, success: function (json) { if (cb) { cb(json); } }, error: function (error) { console.error(error); throw error; } }); } function parseBlob(hash, cb) { makeAJAXCall(hash, function (returnedJSON) { // no loop as only one entry if (cb) { cb(returnedJSON.data); } }); } function complete(cb, loopLength, treeContents) { concole.info(loopLength); if (cb && loopLength === 0) { objectsList.push(treeContents); cb(); } } function parseTree(hash, treeName, cb) { var treeContents = {'tree': treeName, 'blobs': []}, loopLength, i, entry; var tree = 'https://api.github.com/repos/myusername/SVG-Shapes/git/trees/' + hash; makeAJAXCall(tree, function (returnedJSON) { loopLength = returnedJSON.data.tree.length; for (i = 0; i < returnedJSON.data.tree.length; i += 1) { entry = returnedJSON.data.tree[i]; if (entry.type === 'blob') { if (entry.path.slice(-4) === '.svg') { // we only want the svg images not the ignore file and README etc parseBlob(entry.url, function (json) { treeContents.blobs.push(json.content); loopLength -= 1; complete(hash, loopLength, cb); }); } } else if (entry.type === 'tree') { parseTree(entry.sha, entry.path, function () {console.info(objectsList);}); } } }); } $(document).ready(function () { parseTree('master', 'master', function () { // master to start at the top and work our way down console.info(objectsList); }); }); }()); </code></pre> |
18,871,953 | 0 | <p>There is also <code>goog</code> plugin (requires async and propertyParser), available on <a href="https://github.com/millermedeiros/requirejs-plugins" rel="nofollow">github</a></p> <p>Usage example for google maps:</p> <pre><code>require(["goog!maps,3,other_params:sensor=false"], function(){}); </code></pre> |
12,622,734 | 0 | Why App store not accepting my routing app coverage file? <p>After I upload the Aus.geojson file (routing app coverage file) I get the following error: JSON file you uploaded was invalid. The file must contain only one element of type multipolygon. Below is the JSON file which i was submitting and in which I see only one multipolygon element. Why I am getting the error?</p> <pre><code>{ "type": "FeatureCollection", "features": [ { "type": "Feature", "properties": { "name": "Australia" }, "geometry": { "type": "MultiPolygon", "coordinates": [ [ [ [ 145.397978, -40.792549 ], [ 146.364121, -41.137695 ], [ 146.908584, -41.000546 ], [ 147.689259, -40.808258 ], [ 148.289068, -40.875438 ], [ 148.359865, -42.062445 ], [ 148.017301, -42.407024 ], [ 147.914052, -43.211522 ], [ 147.564564, -42.937689 ], [ 146.870343, -43.634597 ], [ 146.663327, -43.580854 ], [ 146.048378, -43.549745 ], [ 145.431930, -42.693776 ], [ 145.295090, -42.033610 ], [ 144.718071, -41.162552 ], [ 144.743755, -40.703975 ], [ 145.397978, -40.792549 ] ] ], [ [ [ 143.561811, -13.763656 ], [ 143.922099, -14.548311 ], [ 144.563714, -14.171176 ], [ 144.894908, -14.594458 ], [ 145.374724, -14.984976 ], [ 145.271991, -15.428205 ], [ 145.485260, -16.285672 ], [ 145.637033, -16.784918 ], [ 145.888904, -16.906926 ], [ 146.160309, -17.761655 ], [ 146.063674, -18.280073 ], [ 146.387478, -18.958274 ], [ 147.471082, -19.480723 ], [ 148.177602, -19.955939 ], [ 148.848414, -20.391210 ], [ 148.717465, -20.633469 ], [ 149.289420, -21.260511 ], [ 149.678337, -22.342512 ], [ 150.077382, -22.122784 ], [ 150.482939, -22.556142 ], [ 150.727265, -22.402405 ], [ 150.899554, -23.462237 ], [ 151.609175, -24.076256 ], [ 152.073540, -24.457887 ], [ 152.855197, -25.267501 ], [ 153.136162, -26.071173 ], [ 153.161949, -26.641319 ], [ 153.092909, -27.260300 ], [ 153.569469, -28.110067 ], [ 153.512108, -28.995077 ], [ 153.339095, -29.458202 ], [ 153.069241, -30.350240 ], [ 153.089602, -30.923642 ], [ 152.891578, -31.640446 ], [ 152.450002, -32.550003 ], [ 151.709117, -33.041342 ], [ 151.343972, -33.816023 ], [ 151.010555, -34.310360 ], [ 150.714139, -35.173460 ], [ 150.328220, -35.671879 ], [ 150.075212, -36.420206 ], [ 149.946124, -37.109052 ], [ 149.997284, -37.425261 ], [ 149.423882, -37.772681 ], [ 148.304622, -37.809061 ], [ 147.381733, -38.219217 ], [ 146.922123, -38.606532 ], [ 146.317922, -39.035757 ], [ 145.489652, -38.593768 ], [ 144.876976, -38.417448 ], [ 145.032212, -37.896188 ], [ 144.485682, -38.085324 ], [ 143.609974, -38.809465 ], [ 142.745427, -38.538268 ], [ 142.178330, -38.380034 ], [ 141.606582, -38.308514 ], [ 140.638579, -38.019333 ], [ 139.992158, -37.402936 ], [ 139.806588, -36.643603 ], [ 139.574148, -36.138362 ], [ 139.082808, -35.732754 ], [ 138.120748, -35.612296 ], [ 138.449462, -35.127261 ], [ 138.207564, -34.384723 ], [ 137.719170, -35.076825 ], [ 136.829406, -35.260535 ], [ 137.352371, -34.707339 ], [ 137.503886, -34.130268 ], [ 137.890116, -33.640479 ], [ 137.810328, -32.900007 ], [ 136.996837, -33.752771 ], [ 136.372069, -34.094766 ], [ 135.989043, -34.890118 ], [ 135.208213, -34.478670 ], [ 135.239218, -33.947953 ], [ 134.613417, -33.222778 ], [ 134.085904, -32.848072 ], [ 134.273903, -32.617234 ], [ 132.990777, -32.011224 ], [ 132.288081, -31.982647 ], [ 131.326331, -31.495803 ], [ 129.535794, -31.590423 ], [ 128.240938, -31.948489 ], [ 127.102867, -32.282267 ], [ 126.148714, -32.215966 ], [ 125.088623, -32.728751 ], [ 124.221648, -32.959487 ], [ 124.028947, -33.483847 ], [ 123.659667, -33.890179 ], [ 122.811036, -33.914467 ], [ 122.183064, -34.003402 ], [ 121.299191, -33.821036 ], [ 120.580268, -33.930177 ], [ 119.893695, -33.976065 ], [ 119.298899, -34.509366 ], [ 119.007341, -34.464149 ], [ 118.505718, -34.746819 ], [ 118.024972, -35.064733 ], [ 117.295507, -35.025459 ], [ 116.625109, -35.025097 ], [ 115.564347, -34.386428 ], [ 115.026809, -34.196517 ], [ 115.048616, -33.623425 ], [ 115.545123, -33.487258 ], [ 115.714674, -33.259572 ], [ 115.679379, -32.900369 ], [ 115.801645, -32.205062 ], [ 115.689611, -31.612437 ], [ 115.160909, -30.601594 ], [ 114.997043, -30.030725 ], [ 115.040038, -29.461095 ], [ 114.641974, -28.810231 ], [ 114.616498, -28.516399 ], [ 114.173579, -28.118077 ], [ 114.048884, -27.334765 ], [ 113.477498, -26.543134 ], [ 113.338953, -26.116545 ], [ 113.778358, -26.549025 ], [ 113.440962, -25.621278 ], [ 113.936901, -25.911235 ], [ 114.232852, -26.298446 ], [ 114.216161, -25.786281 ], [ 113.721255, -24.998939 ], [ 113.625344, -24.683971 ], [ 113.393523, -24.384764 ], [ 113.502044, -23.806350 ], [ 113.706993, -23.560215 ], [ 113.843418, -23.059987 ], [ 113.736552, -22.475475 ], [ 114.149756, -21.755881 ], [ 114.225307, -22.517488 ], [ 114.647762, -21.829520 ], [ 115.460167, -21.495173 ], [ 115.947373, -21.068688 ], [ 116.711615, -20.701682 ], [ 117.166316, -20.623599 ], [ 117.441545, -20.746899 ], [ 118.229559, -20.374208 ], [ 118.836085, -20.263311 ], [ 118.987807, -20.044203 ], [ 119.252494, -19.952942 ], [ 119.805225, -19.976506 ], [ 120.856220, -19.683708 ], [ 121.399856, -19.239756 ], [ 121.655138, -18.705318 ], [ 122.241665, -18.197649 ], [ 122.286624, -17.798603 ], [ 122.312772, -17.254967 ], [ 123.012574, -16.405200 ], [ 123.433789, -17.268558 ], [ 123.859345, -17.069035 ], [ 123.503242, -16.596506 ], [ 123.817073, -16.111316 ], [ 124.258287, -16.327944 ], [ 124.379726, -15.567060 ], [ 124.926153, -15.075100 ], [ 125.167275, -14.680396 ], [ 125.670087, -14.510070 ], [ 125.685796, -14.230656 ], [ 126.125149, -14.347341 ], [ 126.142823, -14.095987 ], [ 126.582589, -13.952791 ], [ 127.065867, -13.817968 ], [ 127.804633, -14.276906 ], [ 128.359690, -14.869170 ], [ 128.985543, -14.875991 ], [ 129.621473, -14.969784 ], [ 129.409600, -14.420670 ], [ 129.888641, -13.618703 ], [ 130.339466, -13.357376 ], [ 130.183506, -13.107520 ], [ 130.617795, -12.536392 ], [ 131.223495, -12.183649 ], [ 131.735091, -12.302453 ], [ 132.575298, -12.114041 ], [ 132.557212, -11.603012 ], [ 131.824698, -11.273782 ], [ 132.357224, -11.128519 ], [ 133.019561, -11.376411 ], [ 133.550846, -11.786515 ], [ 134.393068, -12.042365 ], [ 134.678632, -11.941183 ], [ 135.298491, -12.248606 ], [ 135.882693, -11.962267 ], [ 136.258381, -12.049342 ], [ 136.492475, -11.857209 ], [ 136.951620, -12.351959 ], [ 136.685125, -12.887223 ], [ 136.305407, -13.291230 ], [ 135.961758, -13.324509 ], [ 136.077617, -13.724278 ], [ 135.783836, -14.223989 ], [ 135.428664, -14.715432 ], [ 135.500184, -14.997741 ], [ 136.295175, -15.550265 ], [ 137.065360, -15.870762 ], [ 137.580471, -16.215082 ], [ 138.303217, -16.807604 ], [ 138.585164, -16.806622 ], [ 139.108543, -17.062679 ], [ 139.260575, -17.371601 ], [ 140.215245, -17.710805 ], [ 140.875463, -17.369069 ], [ 141.071110, -16.832047 ], [ 141.274095, -16.388870 ], [ 141.398222, -15.840532 ], [ 141.702183, -15.044921 ], [ 141.563380, -14.561333 ], [ 141.635520, -14.270395 ], [ 141.519869, -13.698078 ], [ 141.650920, -12.944688 ], [ 141.842691, -12.741548 ], [ 141.686990, -12.407614 ], [ 141.928629, -11.877466 ], [ 142.118488, -11.328042 ], [ 142.143706, -11.042737 ], [ 142.515260, -10.668186 ], [ 142.797310, -11.157355 ], [ 142.866763, -11.784707 ], [ 143.115947, -11.905630 ], [ 143.158632, -12.325656 ], [ 143.522124, -12.834358 ], [ 143.597158, -13.400422 ], [ 143.561811, -13.763656 ] ] ] ] } } ] } </code></pre> |
4,671,059 | 0 | <p>You can create custom form and show it next to the system notification area. <a href="http://www.lmdinnovative.com/products/lmdelpack/" rel="nofollow">LMD ElPack</a> includes TElTrayInfo component for exactly this purpose. </p> |
637,000 | 0 | <p>Can you use reflection to get the list of properties specific to an subclass (instance)? (Less error-prone.)</p> <p>If not, create a (virtual) method which returns the special properties. (More error prone!)</p> <p>For an example of the latter:</p> <pre><code>abstract class Customer { public virtual string Name { get; set; } public virtual IDictionary<string, object> GetProperties() { var ret = new Dictionary<string, object>(); ret["Name"] = Name; return ret; } } class HighValueCustomer : Customer { public virtual int MaxSpending { get; set; } public override IDictionary<string, object> GetProperties() { var ret = base.GetProperties(); ret["Max spending"] = MaxSpending; return ret; } } class SpecialCustomer : Customer { public virtual string Award { get; set; } public override IDictionary<string, object> GetProperties() { var ret = base.GetProperties(); ret["Award"] = Award; return ret; } } </code></pre> <p>You probably want to create sections (<code>fieldset</code>s?) on your Web page, anyway, so <code>if</code> would come into play there, making this extra coding kinda annoying and useless.</p> |
26,726,595 | 0 | <p>The part you are asking about is an anonymous method that uses a lambda expression. It is commonly used in callbacks.</p> <p>When you write this</p> <pre><code>(machine, error) => { SelectedMachine = new MachineViewModel(machine); } </code></pre> <p>you are making a function that has no name (and therefore cannot be reused by name, like a regular method). It is very convenient in situations when you need to produce a piece of callable code that needs to be used only once, e.g. in callbacks.</p> <p>Note that the method does not have to be anonymous: you could make an equivalent named method. However, an since the anonymous method is built in the context of the method where it is used, the variables from the context are available to it. Your anonymous method assigns <code>SelectedMachine</code>, which is probably a property of your class. In the same way, anonymous methods can access local variables as well, which is a very powerful mechanism of combining together a state and a piece of code that operates on it.</p> |
19,380,260 | 0 | <p>Use this NSDictionary below:-</p> <pre><code>//Add how many elements you want to add on your array NSDictionary *yourDict=[NSDictionary dictionaryWithObjects:[NSArray arrayWithObjects:@"$Indore", nil] forKeys:[NSArray arrayWithObjects:@"1", nil]]; NSString *yourStr=[yourDict objectForKey:@"1"]; NSLog(@"%@",yourStr); </code></pre> |
23,758,836 | 0 | <p>(Based on <a href="http://stackoverflow.com/questions/8595389/programmatically-trigger-select-file-dialog-box">Programmatically trigger "select file" dialog box</a>)</p> <p>You call the hidden input button from the dat.GUI button's function.</p> <p>You need to use the jQuery library to make it work</p> <pre><code><input id="myInput" type="file" style="visibility:hidden" /> <script> var params = { loadFile : function() { $('#myInput').click(); } }; var gui = new dat.GUI(); gui.add(params, 'loadFile'). name('Load CSV file'); </script> </code></pre> |
27,574,155 | 0 | <p>You can open the file feat.params in model folder and look for <code>-upperf</code> parameter. In 8khz model <code>-upperf</code> is usually 3500 or 4000. For 16khz model <code>-upperf</code> is more than 4000, usually 6800.</p> |
11,136,477 | 0 | <p>The easiest way is to try to red it, and catch the exception.</p> <p>Catching the exception is done by defining an entry in the <code>__ex_table</code> secion, using inline assembly.<br> The exception table entry contains a pointer to a memory access instruction, and a pointer to a recovery address. If an segfault happens on this instruction, EIP will be set to the recovery address.</p> <p>Something like this (I didn't test this, I may be missing something):</p> <pre><code>void *ptr=whatever; int ok=1; asm( "1: mov (%1),%1\n" // Try to access "jmp 3f\n" // Success - skip error handling "2: mov $0,%0\n" // Error - set ok=0 "3:\n" // Jump here on success "\n.section __ex_table,\"a\"" ".long 1b,2b\n" // Use .quad for 64bit. ".prev\n" :"=r"(ok) : "r"(ptr) ); </code></pre> |
27,260,504 | 0 | <p>I stumbled upon this question after searching for a similar thing. Since (sadly) I didn't find a CSS-only solution for this problem, I ended up using jQuery to do the job.</p> <pre><code>function hrExpand() { var windowWidth = $(window).width(); $('hr').width(windowWidth).css('margin-left', function(){ return '-' + ($(this).offset().left) + 'px'; }); } </code></pre> <p>Just make sure to run the function both onload and onresize.</p> <p>Example: <a href="http://codepen.io/anon/pen/qEOoGb" rel="nofollow">http://codepen.io/anon/pen/qEOoGb</a></p> <p><em>(You could replace $('hr') with e.g. $('.content > hr') to increase performance a bit and prevent it from replacing ALL the hr's on your page)</em></p> |
26,194,689 | 0 | <p>I think what your looking for is this:</p> <p><a href="http://developer.android.com/reference/android/location/Geocoder.html" rel="nofollow">getFromLocationName (String locationName, int maxResults)</a> </p> <p>From the docs :</p> <blockquote> <p>Returns an array of Addresses that are known to describe the named location, which may be a place name such as "Dalvik, Iceland", an address such as "1600 Amphitheatre Parkway, Mountain View, CA", an airport code such as "SFO", etc.. The returned addresses will be localized for the locale provided to this class's constructor.</p> <p>The query will block and returned values will be obtained by means of a network lookup. The results are a best guess and are not guaranteed to be meaningful or correct. It may be useful to call this method from a thread separate from your primary UI thread.</p> </blockquote> <p>to get the Street name use this(I think you already know this):</p> <pre><code> for(int a = 0 ; a < addresses.size() ; a++){ Address address = addresses.get(a); for (int i = 0; i < address.getMaxAddressLineIndex(); i++) { // get address like address.getAddressLine(i); } } </code></pre> <p>hope it helps :)</p> |
30,066,110 | 0 | <p>"Hash table" is just a fancier way of saying "ordinary Javascript object". What the instructor means by "handle to its definition" is just another way of saying "the function that acts as a constructor for the class".</p> <p>Ultimately, what he means by the statement you mentioned:</p> <blockquote> <p>each overloaded entity definition will update a hash table with a pointer to its class definition</p> </blockquote> <p>is the following:</p> <ul> <li>All "subclasses" of Entity will register their constructor function in a single shared hashmap/object using the key which is the <code>type</code> value.</li> <li>This allows you to get the constructor function (in other words, the function to call <code>new</code> on, which will return an instance of that entity) for any type by accessing <code>gGameEngine.factory[type]</code>.</li> </ul> <p>This is nice, because whenever a programmer adds a new type of entity, so long as they remember to add a new entry to that <code>gGameEngine.factory</code> object with the correct key, then that object will contain everything you need to construct any type of supported object.</p> <p>So the code that iterates over the JSON structure generated by the level editor can create an instance of any type the same way, using something like:</p> <pre><code>var typeConstructor = gGameEngine.factory(tileSpec.type), instance; if (typeConstructor) { instance = new(typeConstructor)(tileSpec /* or whatever params */); } </code></pre> <p>This is similar to the code visible at around the 1 minute mark of the video you linked to.</p> <p>Make sense now?</p> |
37,229,563 | 0 | <p>Objective-C is C. The primitive (what I would call <em>scalar</em>) data types are all numbers and are completely defined by the language; you cannot add to them (though you can rename them using <code>typedef</code>. The corresponding literals, such as <code>1</code> and <code>"hello"</code>, are also part of C.</p> <p>Similarly, literals like <code>@"howdy"</code> and <code>@[@"howdy"]</code>, though defined by Objective-C rather than C, are part of the language and you cannot change or add to them, as the literal syntax is built into the language.</p> |
6,410,176 | 0 | <p>Maybe you are writing something wrong here:</p> <pre><code>$get(_dropdownID).addClass('dropdownTextDisabled'); </code></pre> <p>shuold be </p> <pre><code>$('#_dropdownID').addClass('dropdownTextDisabled'); </code></pre> <p>does it work in other browsers? What is the variable <code>$get</code> you are calling the method addClass() on?</p> |
16,182,526 | 0 | Android multiline edittext not increasing its height as the user types <p>So the layout is quite simple. A <code>ListView</code> occupying most of the screen, and a <code>RelativeLayout</code> at the bottom containing the <code>EditText</code> and a <code>Button</code> to the right. Everything looks great, but the problem is that as the user types and enters new lines, the <code>EditText</code> is not increasing its height just enough so that the user can see all the text types without scrolling. You would think that using <code>WRAP_CONTENT</code> on both the <code>EditText</code> and its parent <code>RelativeLayout</code> would take care of that, but it doesn't for some reason. Any ideas? Here's the Layout XML:</p> <pre><code><?xml version="1.0" encoding="utf-8"?> <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent" > <RelativeLayout android:id="@+id/postCommentRelativeLayout" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_alignParentBottom="true" android:layout_alignParentLeft="true" android:layout_alignParentRight="true" android:visibility="visible" > <Button android:id="@+id/viewCommentsPostCommentButton" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_alignParentRight="true" android:layout_alignParentTop="false" android:text="@string/post" /> <EditText android:id="@+id/viewCommentsInsertCommentTextEdit" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_alignBottom="@id/viewCommentsPostCommentButton" android:layout_alignParentLeft="true" android:layout_alignParentTop="false" android:layout_toLeftOf="@+id/viewCommentsPostCommentButton" android:ems="10" android:hint="@string/enter_comment" android:inputType="textCapSentences|textMultiLine" > <requestFocus /> </EditText> </RelativeLayout> <ListView android:id="@+id/entriesListView" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_above="@id/postCommentRelativeLayout" android:layout_alignParentLeft="true" android:layout_alignParentRight="true" android:layout_alignParentTop="true" android:focusable="false" > </ListView> </RelativeLayout> </code></pre> |
40,600,786 | 0 | Change value of character pointed by a pointer <p>I would like to know why my code giving me error when run.</p> <p>I am trying to change the character value pointed by a pointer variable.</p> <pre><code>#include <stdio.h> int main() { char amessage[] = "foo"; char *pmessage = "foo"; // try 1 amessage[0] = 'o'; // change the first character to '0' printf("%s\n", amessage); // try 2 *pmessage = 'o'; // This one does not work printf("%s\n", pmessage); } </code></pre> <p>The first attempt works, and prints <code>ooo</code>. But the second one gives me:</p> <pre><code>[1] 9677 bus error ./a.out </code></pre> <p>Any ideas?</p> |
27,511,037 | 0 | <p>Replace</p> <pre><code>return render(request,'templates/login.html',status=302) </code></pre> <p>instead of</p> <pre><code>return redirect(reverse('login')) </code></pre> |
8,896,015 | 0 | <p>Make sure you <code>use Symfony\Component\Security\Core\SecurityContextInterface;</code> in your controller. Without it, the <code>SecurityContextInterface</code> type hint in the constructor won't resolve.</p> <p>Also, make sure your controller is actually being called as a service. The error you posted is complaining that <em>nothing</em> was sent to the constructor, which sounds to me like you're using your controller the 'default' way. See <a href="http://symfony.com/doc/current/cookbook/controller/service.html" rel="nofollow">this cookbook page</a> on how to setup a controller as a service.</p> |
28,643,732 | 0 | SQL Server : trigger on not inserted row <p>I have two tables. I have defined a trigger on Table A that updates Table B when a row is inserted into Table A. </p> <p>I want to prevent inserting into table A and allow updating in table B if a data with certain values is sent to Table A.</p> <p>Can anyone help me?</p> |
17,384,146 | 0 | CSS tables: changing background on hover, including alternative rows <p>I have created a sample page with a table. Should the page get deleted in the future, <a href="http://pastebin.com/QS3UG51i" rel="nofollow">here's</a> the code on Pastebin.</p> <p>I want to highlight table rows on hover. It works for normal tr but it doesn't work for tr.alt (odd rows).</p> <p>Code for highlighting:</p> <pre><code>tr:hover,tr.alt:hover { background: #f7dcdf; } </code></pre> <p>Code for making odd rows different colour:</p> <pre><code>tr.alt td { background: #daecf5; } </code></pre> <p>Any ideas how this could be fixed? Thank you very much in advance!</p> |
35,880,698 | 0 | <p>A method which declares a return type must declare a return statement for every possible branch of flow of that method. Which means basically there is a flow of code possible in your method which does not end in a return statement (hint: what happens if your <code>if</code> statement returns false inside the loop every time? Eventually the loop will end and nothing will be returned.)</p> <p>You can put a catch-all return statement at the bottom of your method doing something like returning <code>null</code>, or perhaps even throwing an <code>Exception</code> which will allow you to not "return anything"</p> |
25,450,016 | 0 | <p>You need to convert the date field to varchar to strip out the time, then convert it back to datetime, this will reset the time to '00:00:00.000'.</p> <pre><code>SELECT * FROM [TableName] WHERE ( convert(datetime,convert(varchar,GETDATE(),1)) between convert(datetime,convert(varchar,[StartDate],1)) and convert(datetime,convert(varchar,[EndDate],1)) ) </code></pre> |
19,548,825 | 0 | <p>Try this code</p> <pre><code><LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent" android:gravity="center_horizontal" android:orientation="vertical" > <TextView android:id="@+id/text_nickname" android:layout_width="10dip" android:layout_height="10dip" android:layout_marginTop="15dp" android:gravity="center_horizontal" android:textColor="#000000" android:textSize="15sp" /> <EditText android:id="@+id/edit_nickname" android:layout_width="300dp" android:layout_height="wrap_content" android:shadowColor="#000000" android:shadowDx="-1" android:shadowDy="-1" android:shadowRadius="1" android:textSize="15sp" android:layout_marginLeft="3dp"/> <Button android:id="@+id/button_play" android:layout_height="wrap_content" android:layout_width="wrap_content" android:layout_marginTop="25dp" android:onClick="click_playButton" android:text="Button" /> </LinearLayout> </code></pre> |
26,738,163 | 0 | <p>I would change <code>.some-block</code> from <code>float:left;</code> to <code>display:inline;</code>. That way, a standard div like <code>.regular-block</code> will automatically show underneath and you don't need a clear between them.</p> <p>Then you can put the <code>clear</code> div at the bottom to fix the block heights:</p> <p><div class="snippet" data-lang="js" data-hide="false"> <div class="snippet-code"> <pre class="snippet-code-css lang-css prettyprint-override"><code>.wrapper{ border: 1px solid brown; } .left-block{ float:left; width:100px; padding:5px; border: 1px solid red; } .right-block{ margin-left: 112px; border: 1px solid green; padding:5px; padding-bottom:0; } .some-block{ display:inline; border: 1px solid yellow; } .regular-block{ margin-top:10px; border: 1px solid violet; } .clear{ clear:left; }</code></pre> <pre class="snippet-code-html lang-html prettyprint-override"><code><div class="wrapper"> <div class="left-block"> <p> Lorem ipsum dolor sit amet, consectetur adipiscing elit. Quisque tristique, lorem dapibus tristique rhoncus, justo erat volutpat erat, in malesuada enim libero quis metus. Nunc tristique maximus efficitur. Sed nec dolor ut quam consequat molestie id quis justo. </p> </div> <div class="right-block"> <p> Nunc a lectus enim. Quisque sit amet iaculis turpis, a auctor tortor. Mauris aliquet sapien non odio tempor, auctor gravida nunc commodo. Lorem ipsum dolor sit amet, consectetur adipiscing elit. Donec elementum eu tellus vel volutpat. Cras sed neque egestas, ullamcorper purus id, viverra odio. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Fusce et malesuada est, et bibendum lectus. </p> <div class="some-block">654</div> <div class="some-block">132</div> <div class="some-block">987</div> <div class="regular-block">10002</div> <div class="clear"></div> </div> </div</code></pre> </div> </div> </p> |
8,981,449 | 0 | <p>When you create a D3D device you specify which window do bind it to (third parameter of <code>CreateDevice</code> call). I may suggest that destroying of second device takes out focus in a way which is unseen by the first device. Try explicitly returning the focus back to main window:</p> <pre><code>second_device->Release(); SetActiveWindow(hWnd); </code></pre> <p>Btw, if this is how you make parallel rendering consider using render targets or swap chains instead. DX9 docs say that switching between devices puts a significant penalty to performance.</p> |
15,068,807 | 0 | <p>You forgot to add the <code>@ORM\</code> prefix in your annotations:</p> <pre><code>/** * @ManyToMany(targetEntity="User", mappedBy="hasAccessToMe") **/ </code></pre> <p>should be</p> <pre><code>/** * @ORM\ManyToMany(targetEntity="User", mappedBy="hasAccessToMe") **/ </code></pre> |
28,101,792 | 0 | <p>I think you should set a UINavigationController to rootviewController , there will be a navigation bar. So you can also set the firstView as rootViewController, but set the viewcontrollers attribute to put the Test viewcontroller that clears before viewcontrollers.</p> |
22,191,064 | 0 | Post a status in facebook and tag friends <p>I am trying to post a status on users own wall and tag the friends on it. I tried FeedDialogBuilder but i can't tag friends with it.Please help me if anyone know how to do it.</p> <pre><code>Bundle params = new Bundle(); params.putString("tags","8768XXX787,"1111XXXX222,"565XXX566565"); WebDialog feedDialog = (new WebDialog.FeedDialogBuilder(getActivity(), Session.getActiveSession(),params)) .setOnCompleteListener(new OnCompleteListener() { @Override public void onComplete(Bundle values, FacebookException error) { if (error == null) { final String postId = values.getString("post_id"); if (postId != null) { Toast.makeText(getActivity(),"Posted story, id: "+postId, Toast.LENGTH_SHORT).show(); } else { // User clicked the Cancel button Toast.makeText(getActivity(), "Publish cancelled", Toast.LENGTH_SHORT).show(); } } else if (error instanceof FacebookOperationCanceledException) { // User clicked the "x" button Toast.makeText(getActivity(), "Publish cancelled", Toast.LENGTH_SHORT).show(); } else { // Generic, ex: network error Toast.makeText(getActivity(), "Error posting story", Toast.LENGTH_SHORT).show(); } } }).build(); feedDialog.show(); </code></pre> |
14,777,514 | 0 | <p>I've been wondering this for a while also; the OpenCV documentation isn't very helpful when it comes to blob detection.</p> <p>Based on the descriptions of <a href="http://www1.adept.com/main/KE/Data/ACE/AdeptSight_User/BlobAnalyzer_Results.html#Intrinsic_Inertia_Results">other blob analyzers</a>, the inertia of a blob is "the inertial resistance of the blob to rotation about its principal axes". It depends on how the mass of the blob (I guess in this case the area) is distributed throughout the blob's shape.</p> <p>There's a lot of mathy stuff involved -- most of which I don't remember how to do -- but the result at the bottom of <a href="http://homepages.inf.ed.ac.uk/rbf/CVonline/LOCAL_COPIES/OWENS/LECT2/node3.html">this page on the properties of binary images</a> sums it up fairly well (blob detection is done by converting the input image to a series of binary images):</p> <blockquote> <p>The ratio <img src="https://chart.googleapis.com/chart?cht=tx&chl=I_%7Bmin%7D%2FI_%7Bmax%7D&chf=bg,s,65432100" alt="I_min/I_max"> gives us some idea of how rounded the object is. This ratio will be 0 for a line and 1 for a circle.</p> </blockquote> <p>So basically, by specifying <code>minInertiaRatio</code> and <code>maxInertiaRatio</code> you can filter the blobs based on how elongated they are. An inertia ratio of 0 will yield elongated blobs (closer to lines) and an inertia ratio of 1 will yield blobs where the area is more concentrated toward the center (closer to circles).</p> |
11,293,921 | 0 | <p>I tried your URL in a C# program and it also gives me an error. This is due to the status code being 420 which makes the .net framework treat the response as an error response and throw an exception. For more info on using responses with error status code have a look here: <a href="http://stackoverflow.com/questions/692342/net-httpwebrequest-getresponse-raises-exception-when-http-status-code-400-ba">.Net HttpWebRequest.GetResponse() raises exception when http status code 400 (bad request) is returned</a></p> |
6,355,270 | 0 | <p>In answer to your two questions:</p> <ol> <li><p>The call to <code>fsolve</code> is using an <a href="http://infoshako.sk.tsukuba.ac.jp/ShakoDoc/MATLAB5/help/toolbox/optim/fsolve.html" rel="nofollow">old MATLAB syntax</a> for passing an argument to the objective function. The call is optimizing for the objective function <code>@(x) fun1(x, pH)</code> starting from the initial value <code>1</code> and passing no options (<code>[]</code>). For recent versions of MATLAB this should be written</p> <p><code>fsolve(@(x) fun1(x, pH), 1)</code></p></li> <li><p><code>fun1</code> is a <a href="http://www.mathworks.com/help/techdoc/matlab_prog/f4-39683.html" rel="nofollow">nested function</a> so can be called from within it's parent function <code>pH2Fb</code>.</p></li> </ol> |
10,341,396 | 0 | <p>The brackets in the search pattern make that a "group". What <code>$_ =~ /regex/</code>returns is an array of all the matching groups, so <code>my ($tmp)</code> grabs the first group into $tmp.</p> |
34,049,591 | 0 | Odbc parses String as Date using internalGetDate? <p>I am attempting to convert a bit of code I wrote for SQL Server connections to work with an Odbc data source. I've been running into a bit of an issue with OdbcDataReader.GetValue(int) attempting to call OdbcDataReader.internalGetDate for a string field.</p> <p>Here is the code I am currently using for getting the value:</p> <pre><code>private static void ReadRecord<T>(IDataRecord record, T myClass) { .... inside loop of datarecord fields .... var value = record.GetValue(i); pi.SetValue(myClass, value == DBNull.Value ? null : Convert.ChangeType(value, record.GetFieldType(i)), null); </code></pre> <p>When I execute this against a specific 4D data table using Odbc, I get a OdbcException with no Message attached to it. The exception stack trace shows that internalGetDate was used.</p> <pre><code>at System.Data.Odbc.OdbcConnection.HandleError(OdbcHandle hrHandle, RetCode retcode) at System.Data.Odbc.OdbcDataReader.GetData(Int32 i, SQL_C sqlctype, Int32 cb, Int32& cbLengthOrIndicator) at System.Data.Odbc.OdbcDataReader.GetData(Int32 i, SQL_C sqlctype) at System.Data.Odbc.OdbcDataReader.internalGetDate(Int32 i) at System.Data.Odbc.OdbcDataReader.GetValue(Int32 i, TypeMap typemap) at System.Data.Odbc.OdbcDataReader.GetValue(Int32 i) at System.Data.Odbc.DbCache.AccessIndex(Int32 i) at System.Data.Odbc.OdbcDataReader.GetValue(Int32 i) </code></pre> <p>I reviewed the reference source <a href="http://referencesource.microsoft.com/#System.Data/System/Data/Odbc/OdbcDataReader.cs,495" rel="nofollow">here</a> which shows that GetSqlType is executed to determine the function to call in a later GetValue() call. I wrote this code to check the SqlType of the index in question</p> <pre><code>var odbcdatareader = typeof(OdbcDataReader); var method = odbcdatareader.GetMethod("GetSqlType", BindingFlags.Instance | BindingFlags.NonPublic); var type = method.Invoke(record, new object[] { i }); var typemap = odbcdatareader.Assembly.GetType("System.Data.Odbc.TypeMap"); var typemapodbctype = typemap.GetField("_odbcType", BindingFlags.Instance | BindingFlags.NonPublic); var typemapdbtype = typemap.GetField("_dbType", BindingFlags.Instance | BindingFlags.NonPublic); var typemaptype = typemap.GetField("_type", BindingFlags.Instance | BindingFlags.NonPublic); var typemapsqltype = typemap.GetField("_sql_type", BindingFlags.Instance | BindingFlags.NonPublic); Console.WriteLine("{0}, {1}, {2}, {3}", typemapodbctype.GetValue(type), typemapdbtype.GetValue(type), typemaptype.GetValue(type), typemapsqltype.GetValue(type)); </code></pre> <p>The results of this check are:</p> <pre><code>Char, AnsiStringFixedLength, System.String, CHAR </code></pre> <p>Why would Odbc's GetSqlType be reporting this as a CHAR but then using internalGetDate to try and parse the data? Am I missing something obvious?</p> <p>Even weirder is when I call GetString() on that index, I also get an error with internalGetDate().</p> <pre><code>at System.Data.Odbc.OdbcConnection.HandleError(OdbcHandle hrHandle, RetCode retcode) at System.Data.Odbc.OdbcDataReader.GetData(Int32 i, SQL_C sqlctype, Int32 cb, Int32& cbLengthOrIndicator) at System.Data.Odbc.OdbcDataReader.GetData(Int32 i, SQL_C sqlctype) at System.Data.Odbc.OdbcDataReader.internalGetDate(Int32 i) at System.Data.Odbc.OdbcDataReader.GetValue(Int32 i, TypeMap typemap) at System.Data.Odbc.OdbcDataReader.GetValue(Int32 i) at System.Data.Odbc.DbCache.AccessIndex(Int32 i) at System.Data.Odbc.OdbcDataReader.internalGetString(Int32 i) at System.Data.Odbc.OdbcDataReader.GetString(Int32 i) </code></pre> |
15,779,007 | 0 | <p>Try adding this piece of code to the top of your program</p> <pre><code>//screen cleared as blue glClearColor(0.0f, 0.0f, 0.4f, 0.0f); glEnable(GL_DEPTH_TEST); glDepthFunc(GL_LESS); glEnable(GL_CULL_FACE); </code></pre> <p>this is from a textured cube program i wrote, you may already have some of these functions implemented, but from what i see you might be missing <code>glDepthFunc(GL_LESS)</code></p> |
13,288,516 | 0 | <p>You do not need to get the category object, you can just create a new category object and dynamically set the id.</p> <pre><code>var dropdown = (DropDownList)MyFormView.FindControl("dropdown"); var id = dropdown.SelectedValue; item.Category = new Category { CategoryId = id }; </code></pre> |
29,744,137 | 0 | <p>A fragment should be a part of activity. And an activity must be declared in android manifest. There are different ways to start an activity and fragment.</p> |
16,868,580 | 0 | <p>If you want html within php, best way is to separate html and php like,</p> <pre><code><?php //some php code ?> <!--html content --> </code></pre> <p>If there is small html within php then you can do like,</p> <pre><code><?php echo '<b>Bold stuff</b>'; ?> </code></pre> <p>If there is mixing of lot of html and php, then use heredoc, <a href="http://www.php.net/manual/en/language.types.string.php#language.types.string.syntax.heredoc" rel="nofollow">http://www.php.net/manual/en/language.types.string.php#language.types.string.syntax.heredoc</a></p> |
21,604,826 | 0 | <p><code>using (SqlConnection connection = new SqlConnection(@"Data Source=(local);Integrated Security=True;Initial Catalog=DB_Name;"))</code></p> <p><code>{</code></p> <p><code>connection.Open();</code></p> <p><code>using (SqlCommand command = connection.CreateCommand()) {</code></p> <p><code>command.CommandText =@"SELECT Name from Sysobjects where xtype = 'u'";</code> <code>using (SqlDataReader reader = command.ExecuteReader()) {</code></p> <p><code>while (reader.Read())</code> </p> <p><code>{</code> <code>// your code goes here...</code> <code>}</code> <code>}</code> }<code> </code>}`</p> |
15,508,288 | 0 | <p>You're telling Gson it's looking for a list of maps of Strings to Objects, which essentially says for it to make a best guess as to the type of the Object. Since Float/Double is more generic than Integer, it's a logical option for it to use.</p> <p>Gson is fundamentally built to inspect the type of the object you want to populate in order to determine how to parse the data. If you don't give it any hint, it's not going to work very well. One option is to define a custom JsonDeserializer, however better would be to not use a HashMap (and definitely don't use Hashtable!) and instead give Gson more information about the type of data it's expecting.</p> <pre><code>class Response { int id; int field_id; ArrayList<ArrayList<Integer>> body; // or whatever type is most apropriate } responses = new Gson() .fromJson(draft, new TypeToken<ArrayList<Response>>(){}.getType()); </code></pre> <p>Again, the whole point of Gson is to seamlessly convert structured data into structured objects. If you ask it to create a nearly undefined structure like a list of maps of objects, you're defeating the whole point of Gson, and might as well use some more simplistic JSON parser.</p> |
29,881,208 | 0 | <p>As in any method call, it just a question of what happens where. If you don't want <code>[self.aMutableArray objectAtIndex:0]</code> evaluated now, don't include it in the invocation expression! Instead, make the invocation expression a call to a method where <em>that method</em> will call <code>[self.aMutableArray objectAtIndex:0]</code>:</p> <pre><code>[[self.undoManager prepareWithInvocationTarget:self] doSomethingWithObjectAtIndex:0]; </code></pre> <p>...where <code>doSomethingWithObjectAtIndex:</code> is where <code>[self.aMutableArray objectAtIndex:0]</code> is called.</p> |
21,710,085 | 0 | jQuery: How can I change the color only of the selected option? <p>I have a selection list which in HTML looks like this:</p> <pre><code><select id="language-list"> <option value="English">English</option> <option value="German">German</option> <option value="French">French</option> </select> </code></pre> <p>With jQuery I would like to achieve that ONLY the currently selected option gets a red color. When you click on the selection list to see the other options, the other options shall keep their original color.</p> <p>My current jQuery code looks like that: </p> <pre><code>$('#language-list').css('color', 'red'); </code></pre> <p>How do I achieve that only the currently selected option gets a red color?</p> |
29,110,967 | 0 | <p>Based on this comment:</p> <blockquote> <p>I didn't think it was relevant to the question. I am of course creating bodies once I start the program, by pressing 'm'. What I want is for deltaTime to update as I press 'm' more times i.e creating more bodies</p> </blockquote> <p>It seems like my guess is correct, that you're assuming that deltaTime will automatically increment whenever a new Body is created, and that is not how Java works. In order for that to happen you need to explicitly update deltaTime. One way is to use an observer design pattern, perhaps using PropertyChangeSupport to update deltaTime whenever a new Body is created.</p> <p>Although having said that, I've never used a PropertyChangeListener to listen to a static property before. </p> <p>But for example:</p> <pre><code>import java.beans.PropertyChangeEvent; import java.beans.PropertyChangeListener; import java.beans.PropertyChangeSupport; import java.util.Scanner; public class TestBody { private static final String QUIT = "quit"; public static int deltaTime = 0; public static void main(String[] args) { Body.addPropertyChangeListener(Body.NUM_OF_BODIES, new PropertyChangeListener() { @Override public void propertyChange(PropertyChangeEvent evt) { deltaTime = 500*Body.getNum(); System.out.println("deltaTime: " + deltaTime); } }); Scanner scan = new Scanner(System.in); String line = ""; while (!line.contains(QUIT)) { System.out.print("Please press enter to create a new body, or type \"quit\" to quit: "); line = scan.nextLine(); Body body = new Body(); } } } class Body { public static final String NUM_OF_BODIES = "num of bodies"; private static PropertyChangeSupport pcSupport = new PropertyChangeSupport( Body.class); private static volatile int numOfBodies; public Body() { int oldValue = numOfBodies; numOfBodies++; int newValue = numOfBodies; pcSupport.firePropertyChange(NUM_OF_BODIES, oldValue, newValue); } public static int getNum() { return numOfBodies; } public static void addPropertyChangeListener(PropertyChangeListener l) { pcSupport.addPropertyChangeListener(l); } public static void removePropertyChangeListener(PropertyChangeListener l) { pcSupport.removePropertyChangeListener(l); } public static void addPropertyChangeListener(String propertyName, PropertyChangeListener l) { pcSupport.addPropertyChangeListener(propertyName, l); } public static void removePropertyChangeListener(String propertyName, PropertyChangeListener l) { pcSupport.removePropertyChangeListener(propertyName, l); } } </code></pre> |
9,587,859 | 0 | <p><code>__alldiv</code> is the function from Visual Studio C runtime library which handles 64-bit integer division in 32-bit environment, it looks similar to this: <a href="http://www.jbox.dk/sanos/source/lib/lldiv.asm.html" rel="nofollow">http://www.jbox.dk/sanos/source/lib/lldiv.asm.html</a></p> |
1,570,339 | 1 | Does configuring django's setting.TIME_ZONE affect datetime.datetime.now()? <p>The documentation says:</p> <p><a href="http://docs.djangoproject.com/en/dev/ref/settings/#time-zone" rel="nofollow noreferrer">http://docs.djangoproject.com/en/dev/ref/settings/#time-zone</a></p> <blockquote> <p>Note that this is the time zone to which Django will convert all dates/times -- not necessarily the timezone of the server. For example, one server may serve multiple Django-powered sites, each with a separate time-zone setting. Normally, Django sets the os.environ['TZ'] variable to the time zone you specify in the TIME_ZONE setting. Thus, all your views and models will automatically operate in the correct time zone.</p> </blockquote> <p>I've read this several times and it's not clear to me what's going on with the TIME_ZONE setting.</p> <p>Should I be managing UTC offsets if I want models with a date-time stamp to display to the users local-time zone? </p> <p>For example on save use, datetime.datetime.utcnow() instead of datetime.datetime.now(), and in the view do something like:</p> <pre><code>display_datetime = model.date_time + datetime.timedelta(USER_UTC_OFFSET) </code></pre> |
26,221,440 | 0 | <p>Add a listener when inflating the group layout. And you can distinguish which group's switch was clicked by setting a tag that corresponds to that group position.</p> <p>Here's an example:</p> <pre><code>@Override public View getGroupView(int groupPosition, boolean isExpanded, View convertView, ViewGroup parent) { if (convertView == null) { ... // Add a switch listener Switch mySwitch = (Switch) convertView.findViewById(R.id.mySwitch); mySwitch.setTag(groupPosition); mySwitch.setOnCheckedChangeListener(new CompoundButton.OnCheckedChangeListener() { @Override public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { Log.e("TAG", "Clicked position: " + buttonView.getTag()); } }); } else { convertView.findViewById(R.id.mySwitch).setTag(groupPosition); } ... return convertView; } </code></pre> <p>Note that you need to set the tag each time <code>getGroupView</code> is called.</p> <p>As a sidenote: you should use a Holder pattern so you don't have to call <code>findViewById</code> (which is costly) in <code>getGroupView</code>.</p> |
19,533,836 | 0 | <p>Yes.</p> <p><a href="http://www.youtube.com/watch?v=AdV7bCWuDYg">This video</a> is a tutorial that shows how to do this and is linked to a github that has source code. You basically have to write wrappers to do server requests to get a polyline between two locations and then you add it to the map. </p> <p>Also, <a href="https://developers.google.com/maps/documentation/ios/">look here</a> for the full documentation and basic code snippets.</p> <p>Good luck!</p> |
24,753,813 | 0 | <p>Try changing the type of <code>AO</code> from <code>IEnumerable<SelectListItem></code> to <code>string</code>.</p> <pre><code>public string AO { get; set; } </code></pre> <p>Thanks!</p> |
38,004,875 | 0 | iOS app submission and beta review process <p>I'm currently developing an iOS application for a client. The submission review process to the store can often be a lengthy process and is relatively new to me. </p> <p>My client wants to do a beta test using <strong>TestFlight</strong> as well as submitting the app to the app store afterwards, through <strong>XCode</strong> and <strong>Itunes Connect</strong>.</p> <p>Scouring Apple's documentation I can't seem to get a good idea of following:</p> <ul> <li><p><strong>If I want to update an existing application on the store do I have to go through the review process again in full?</strong><br><br></p></li> <li><p><strong>If I have my app approved for beta testing release through TestFlight, is this taken into consideration when submitting the app for review to the store?</strong><br><br></p></li> <li><p><strong>If I want to test a new build through TestFlight, do I need to go through the beta review process again in full?</strong><br><br></p></li> <li><p><strong>If an app is approved on the app store, does it automatically pass the beta review?</strong><br> (This sounds counterintuitive considering you don't want to do a beta test after releasing to the store but in a scenario where you may want to do a closed release of an update for testing while a live version is up on the store)</p></li> </ul> |
Subsets and Splits