pid
int64 2.28k
41.1M
| label
int64 0
1
| text
stringlengths 1
28.3k
|
---|---|---|
17,873,051 | 0 | <p>Try this:</p> <pre><code>Public class program { String nm = ""; public static void main(String args[]) { nm = "myname"; System.out.println(nm); } } </code></pre> |
3,902,816 | 0 | <p>I think it's unlikely that this is possible using only client-side Flash. In theory maybe it would be possible to simulate playback speed of video by doing manual seeking, but that wouldn't provide for audio. Using Flash 10+, it is now possible to manipulate audio data manually, though that doesn't mean it's possible to manipulate in context of a audio/video stream . (Example: <a href="http://www.kelvinluck.com/2008/11/first-steps-with-flash-10-audio-programming/" rel="nofollow">http://www.kelvinluck.com/2008/11/first-steps-with-flash-10-audio-programming/</a>)</p> <p>If the Google Video player you provided a screen shot of was Flash based, then I think it's very likely they were using a media server to handle playback speed changes. (Just FYI, google at one time had multiple video players available, and not all were Flash based.) Recent versions of Flash Media Server supposedly also support playback speed adjustment. (I couldn't find anything authoritative though, and I don't know if handling of audio is included.)</p> <p>One other thought, just FWIW, HTML5 video includes support for speed adjustment the playbackRate property. Perhaps that will eventually be an option for you.</p> |
17,932,333 | 0 | <p>OK...two things first that are not related to your problem:</p> <ol> <li>There's no need to use a build.ajproperties file. This is calculated automatically.</li> <li>You'll probably want to add a <code>testCompile</code> goal to the executions, otherwise your test classes won't be woven.</li> </ol> <p>The answer lies with the fact that you are using AspectJ with ITDs, but the maven compiler runs before the AspectJ compiler and fails (because ITDs have not been woven). It doesn't look like there is a clean answer, but have a look at this question:</p> <p><a href="http://stackoverflow.com/questions/14614446/how-do-i-disable-the-maven-compiler-plugin">How do I disable the maven-compiler-plugin?</a></p> <p>I never followed up and tried all of the solutions suggested there, but I do know that the following would work in single-pom scenario:</p> <ol> <li><code><aspectDirectory>src/main/java</aspectDirectory></code> to <code><aspectDirectory>src/main/aspect</aspectDirectory></code></li> <li>move all source files from <code>src/main/java</code> to <code>src/main/aspect</code> (or at least move the files that rely on the ITDs being woven).</li> </ol> |
9,280,353 | 0 | <p>If your format is fixed like this, it's not so bad:</p> <pre><code>foreach(XElement element in elements) { XDocument newDoc = new XDocument (new XElement(xDoc.Root.Name, xDoc.Root.Element("Info"), element)); // ... } </code></pre> <p>It's not great, but it's not horrendous. An alternative is to clone the original document, remove all the Message elements, then repeatedly clone the "gutted" version and add one element at a time to the new clone:</p> <pre><code>XDocument gutted = new XDocument(xDoc); gutted.Descendants(xDoc.Root.Name.Namespace + "Message").Remove(); foreach(XElement element in elements) { XDocument newDoc = new XDocument(gutted); newDoc.Root.Add(element); // ... } </code></pre> |
20,097,105 | 0 | VBA Chart series set Color Fill to "Automatic" <p>I want to highlight some series in my stack chart - this is I have implemented. But the chart is dynamic, so when I change selection I need to highlight other series. But what was highlighted previously remains highlighted.</p> <p>I am thinking to tun a cycle through all series and assign Fill Color of the series as "Automatic" each time when I change the source. Then I could highlight the needed series.</p> <p>I have have found 2 options to sent the color using properties</p> <p><strong>.Interior.Color</strong> </p> <ul> <li>OR</li> </ul> <p><strong>.Format.Fill.ForeColor.SchemeColor</strong></p> <p>But there I used RGB color model to set a color.</p> <p>How can I come back to <strong>"Automatic"</strong> color, that is <strong>default color</strong> in my chart template. What value should I assign to the properties above?</p> <p>Thanks!</p> |
20,900,256 | 0 | Can give currency pattern in yaxis tickLabel in jqplot? <p>Here is my script</p> <pre><code><script type="text/javascript"> function my_ext() { this.cfg.axes.yaxis.tickOptions = { formatString : '' }; } </script> </code></pre> <p>I want to format the numbers on my axis like this: <code>100,000,000.00</code>. How do I do this in jqplot?</p> |
5,405,579 | 0 | <p>I've seen similar errors trying to test x86 assemblies on a 64-bit system.</p> <p>You may need to run nunit-x86.exe instead of nunit.exe.</p> |
7,286,997 | 0 | <p>Because mysql_query doesn't return a row, it returns a resource. </p> <p>Use <code>mysql_num_rows($result)</code> to check if there is a row returned.</p> |
13,739,026 | 0 | <p>You are adding data to both <code>Vectors</code> with out initializing them.</p> <pre><code>Vector data; Vector columns; </code></pre> <p>Initialize them before you add elements.</p> <pre><code>Vector data = new Vector(); Vector columns = new Vector(); </code></pre> <p>Check after doing this whether you are getting <a href="http://docs.oracle.com/javase/1.4.2/docs/api/java/lang/NullPointerException.html" rel="nofollow">NullPointerException</a> or not.</p> <p>If still you are getting <code>NPE</code> then I doubt that you didn't initialize <code>JTable</code>. So post code to make us know where exactly exception is coming.</p> |
8,600,145 | 0 | <p>Trying to do something similar to allow WS calls to an embedded Jetty REST API...here's my echo test code (Jetty 7), HTH</p> <pre><code> public class myApiSocketServlet extends WebSocketServlet { protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException ,IOException { OutputStream responseBody = response.getOutputStream(); responseBody.write("Socket API".getBytes()); responseBody.close(); } public WebSocket doWebSocketConnect(HttpServletRequest request, String protocol) { return new APIWebSocket(); } class APIWebSocket implements WebSocket, WebSocket.OnTextMessage { Connection connection; @Override public void onClose(int arg0, String arg1) { } @Override public void onOpen(Connection c) { connection = c; } @Override public void onMessage(String msg) { try { this.connection.sendMessage("I received: " + msg); } catch (Exception e) { e.printStackTrace(); } } } } </code></pre> |
7,386,028 | 0 | <p>I figured out how to do this using the <a href="http://msdn.microsoft.com/en-us/library/microsoft.visualstudio.shell.interop.ivsregisternewdialogfilters.aspx" rel="nofollow">SVsRegisterNewDialogFilters service</a> (which was the missing piece of the puzzle).</p> <p>It enables you to supply an implementation of <a href="http://msdn.microsoft.com/en-us/library/microsoft.visualstudio.shell.interop.ivsfilteraddprojectitemdlg.aspx" rel="nofollow">IVsFilterAddProjectItemDlg</a> implementation which is called whenever the add-project-item dialog is invoked (regardless who invokes it). It is called with a different project type GUID for Web / Silverlight projects than for unflavoured C# projects (so I can simply filter out our various template directories .</p> |
12,481,240 | 0 | Parsing arbitrary precision integers with boost::spirit <p>I would like to create boost::spirit::qi::grammar for arbitrary integer. Storing integer to string just feels terrible wasting of memory especially when integer is represented in binary format. How could I use arbitrary precision integer class (e.g. GMP or llvm::APInt) in structure?</p> |
23,745,841 | 0 | <p>You have two possible options.</p> <ol> <li><p>Replace recursion with simple loop, or even non-iterative formula: <code>getLength()</code> of i-th item in the line is <code>n - i + 1</code> where <code>n</code> is the list length, assuming first item has index 1;</p></li> <li><p>[Not recommended] increase JVM stack size by adding <code>-Xss100m</code> (or any other size you consider suitable) flag to the command starts JVM;</p></li> </ol> |
16,322,464 | 0 | <p>If you MUST sort the array in PHP, after you got the query result, use the <code>array_multisort</code> function in PHP (<a href="http://www.php.net/manual/en/function.array-multisort.php" rel="nofollow">http://www.php.net/manual/en/function.array-multisort.php</a>)</p> <p>However, if your life does not depend on sorting in PHP, sort at the source in your SQL (the way God intended it to be) it's going to be much much faster and it will take the load off the web server.</p> <p>Hope this helps.</p> |
40,727,166 | 0 | <p>Thank you so much! You guys are life saver! This is the code that I eventually come up with it. I think it is the combination of all answers!</p> <pre><code>import json table = [] with open('simple.json', 'r') as f: for line in f: try: j = line.split('|')[-1] table.append(json.loads(j)) except ValueError: # You probably have bad JSON continue for row in table: print(row) </code></pre> |
32,829,727 | 0 | <p>String supports only <code>+</code> and <code>+=</code>. All other arithmetic and compound statements are invalid at compile time itself. </p> <p>From <a href="http://docs.oracle.com/javase/7/docs/api/java/lang/String.html" rel="nofollow"><code>String docs</code></a> </p> <blockquote> <p>The Java language provides special support for the string concatenation operator ( + ), and for conversion of other objects to strings.</p> </blockquote> <p>That doesn't mean it support all other operations.</p> <p>To substract or to make parts of string, there are other methods like <code>substring</code>, <code>split</code> etc.</p> <p>Here are some examples to substring, from docs </p> <pre><code> String c = "abc".substring(2,3); </code></pre> |
34,915,524 | 0 | Thread 1:EXC_BAD_INSTRUCTION error when calling "addObjectsFromArray"method for NSMutableArray <p>I have created a program where it calculates the borders of certain countries based on a Custom Object being inputed into a function. This function returns an array of custom objects. I keep getting this error when trying to add this array to a NSMutableArray. The error is called "Thread 1: EXC_BAD_INSTRUCTION(code=EXC_1386_INVOP, subcode=0x0)".</p> <p>Here is my adding code: </p> <pre><code>@IBOutlet var Label: UILabel! @IBOutlet var imageView: UIImageView! override func viewDidLoad() { //Afganistan Afghanistan.name = "Afghanistan" Afghanistan.borders.addObjectsFromArray(relate(Afghanistan)) Label.text = String((Afghanistan.borders[0] as! develop).name) } </code></pre> <p>Here is the relate method along with the group dictionary:</p> <pre><code>func relate(X : develop) -> Array<develop>{ var A : [develop] = [] for (_, value) in groups { for y in value { if y.name == X.name { for i in value { if i.name != X.name { A.append(i) } } } } } return A } //Groups var groups = [ "one": [Afghanistan] ] </code></pre> <p>Here is the class of develop: </p> <pre><code> class develop : NSObject, NSCoding { //Shared var power : Int! var name : String! var image : UIImage! var flag : UIImage! var militaryName : String! //Military var experience : Int! var OATC : Int! var navy : Int! var airforce : Int! var artillery : Int! //Geography var borders : NSMutableArray! var cities : NSMutableArray! //Biomes var biom : NSMutableArray! var continent : String! var NSEW : String! //Encoding Section required convenience init(coder decoder: NSCoder) { self.init() //shared self.power = decoder.decodeObjectForKey("power") as! Int self.name = decoder.decodeObjectForKey("name") as! String self.image = decoder.decodeObjectForKey("image") as! UIImage self.flag = decoder.decodeObjectForKey("flag") as! UIImage self.militaryName = decoder.decodeObjectForKey("militaryName") as! String //Military self.experience = decoder.decodeObjectForKey("experience") as! Int self.OATC = decoder.decodeObjectForKey("OATC") as! Int self.navy = decoder.decodeObjectForKey("navy") as! Int self.airforce = decoder.decodeObjectForKey("airforce") as! Int self.artillery = decoder.decodeObjectForKey("artillery") as! Int //Geography self.borders = decoder.decodeObjectForKey("borders") as! NSMutableArray self.cities = decoder.decodeObjectForKey("cities") as! NSMutableArray self.continent = decoder.decodeObjectForKey("continent") as! String self.NSEW = decoder.decodeObjectForKey("NSEW") as! String } convenience init( power: Int, name: String, image: UIImage, flag: UIImage, relations: NSMutableArray, mName: String, experience: Int, OATC: Int, navy: Int, airforce: Int, artillery: Int, borders: NSMutableArray, cities: NSMutableArray, biom: NSMutableArray, continent: String, NSEW: String ) { self.init() //shared self.power = power self.name = name self.image = image self.flag = flag self.militaryName = mName //military self.experience = experience self.OATC = OATC self.navy = navy self.airforce = airforce self.artillery = artillery //geography self.borders = borders self.cities = cities self.biom = biom self.continent = continent self.NSEW = NSEW } func encodeWithCoder(coder: NSCoder) { //Shared if let power = power { coder.encodeObject(power, forKey: "power") } if let name = name { coder.encodeObject(name, forKey: "name") } if let image = image { coder.encodeObject(image, forKey: "image") } if let flag = flag { coder.encodeObject(flag, forKey: "flag") } if let militaryName = militaryName { coder.encodeObject(militaryName, forKey: "militaryName") } //Military if let experience = experience { coder.encodeObject(experience, forKey: "experience") } if let OATC = OATC { coder.encodeObject(OATC, forKey: "OATC") } if let navy = navy { coder.encodeObject(navy, forKey: "navy") } if let airforce = airforce { coder.encodeObject(airforce, forKey: "airforce") } if let artillery = artillery { coder.encodeObject(artillery, forKey: "artillery") } //geography if let borders = borders { coder.encodeObject(borders, forKey: "borders") } if let cities = cities { coder.encodeObject(cities, forKey: "cities") } if let biom = biom { coder.encodeObject(biom, forKey: "biom") } if let continent = continent { coder.encodeObject(continent, forKey: "continent") } if let NSEW = NSEW { coder.encodeObject(NSEW, forKey: "NSEW") } } } </code></pre> <p>"Afghanistan" is a subclass of develop</p> |
36,839,549 | 0 | redis key after redis server shutdown and restart not available <p>To add keys to redis I did the following via the redis CLI:</p> <pre><code>127.0.0.1:6379> KEYS * 1) "key1" 2) "key2" 3) "key3" 127.0.0.1:6379> SET name "rahul" OK 127.0.0.1:6379> KEYS * 1) "key1" 2) "name" 3) "key2" 4) "key3" 127.0.0.1:6379> </code></pre> <p>To validate the persistence of the data in my redis data store, I re-started the server, upon checking the keys, I found few keys to be missing :</p> <pre><code>127.0.0.1:6379> KEYS * 1) "key3" 2) "key2" 3) "key1" 127.0.0.1:6379> </code></pre> <p>Are there any specific naming conventions for redis keys. I was using a Windows system. Any idea of what has gone wrong. TIA. </p> |
39,744,738 | 0 | <ol> <li>Use <a href="http://ruby-doc.org/stdlib-2.3.0/libdoc/fileutils/rdoc/FileUtils.html#method-c-mkdir" rel="nofollow">ruby tools</a> for creating directory instead of shelling out.</li> <li>Move your expectation into the fakefs block.</li> </ol> |
14,799,853 | 0 | <p>HTML5 postMessage interface is not good. I propose an intuitive one. you can download it from my site: <a href="http://www.jackiszhp.info/tech/postMSG.html" rel="nofollow">http://www.jackiszhp.info/tech/postMSG.html</a></p> <p>window.MSG.post(msgname, msgdata, arrayOfDomainTarget, arrayOfWindowIDTarget)</p> <p>this 'window' can be omit, not similar to the one specified in HTML5 there you need an window object. Here, you do not. this 'window' just indicate MSG is in the global space.</p> <p>msgname is the the name the message category. msgdata is a JSON object. it will be stringified before post arrayOfDomainTarget, arrayOfWindowIDTarget I use logical AND. originally it was OR later I changed it to AND. more appropriate. I guess. and I let "*" to be the wildcard for all windowID.</p> <p>the caller's information does not present in the parameter at all since the browser knows all the information. so we can see that this method does not allow the sender to fool the receiver.</p> <p>the sender just call as follows.</p> <pre><code>window.name="myWindowID"; MSG.post("cmd",{what:'do thing abc',parameter:'the value of a parameter'},["jackiszhp.info"],[*]); </code></pre> <p>for the receiver, 2 things.</p> <pre><code>//#1 define the message handler function messageHandler(e){ var obj=JSON.parse(e.detail); obj.name is the msgname = 'cmd' obj.data is the msgdata = {what:'fuck',who:'not to tell'}; obj.source is the sender obj.source.href is the sender's window.location.href obj.source.WID is the sender's window.name="myWindowID"; obj.target is the target of this event obj.target.domains is the target domains of this event obj.target.WIDs is the target WIDs of this event .... } //#2 register the message handler window.addEventListener(msgname, messageHandler,false); or document.addEventListener(msgname, messageHandler,false); //to respond, window.name="hereMywindowID"; MSG.post("cmd",{what:'do thing def',parameter:'the value of a parameter'},["jackiszhp.info"],['myWindowID']); //clearly, we can see that this response only the original sender can receive it. //unless in the target domain, accidently, there are two windows with same ID "myWindowID". </code></pre> <p>Additional note:</p> <h1>A. window can be uniquely identified. but here, I did not use it. I use window.name instead. about window ID, you can check this link: <a href="https://developer.mozilla.org/en-US/docs/Code_snippets/Windows#Uniquely_identifying_DOM_windows" rel="nofollow">https://developer.mozilla.org/en-US/docs/Code_snippets/Windows#Uniquely_identifying_DOM_windows</a></h1> <h1>B. I hope the mozilla can take my interface and include it into the firefox.</h1> |
701,355 | 0 | <p>Here's how</p> <pre><code>int i = Math.Abs(386792); while(i >= 10) i /= 10; </code></pre> <p>and <code>i</code> will contain what you need</p> |
16,232,146 | 0 | Row autofit property not working properly <p>I have one excel sheet</p> <p>Width of Column A is 70 and the word wrap property is ON.</p> <p>And the content in the cell is of 287 words/1950 characters. Now when i try the row autofit function, its not working properly. Some of the content is still not visible. How to solve this issue. </p> |
19,877,845 | 0 | <p>Try this <code>Right Click on File -> Open With -> Java Editor</code></p> <p><img src="https://i.stack.imgur.com/Lp1gT.png" alt="enter image description here"></p> <p>Make sure you are in the <code>Java perspective.</code></p> <p><img src="https://i.stack.imgur.com/GYVe9.png" alt="enter image description here"></p> <p>Try cleaning eclipse. Start eclipse with</p> <pre><code>eclipse --clean </code></pre> <p>Hope this helps.</p> |
18,285,708 | 0 | <p>While this will work, it's probably best (from a readability and performance standpoint) to use a dedicated event library. If you don't want to do that, this is a neater way to do it.</p> <p>jQuery allows creation of <a href="https://developer.mozilla.org/en-US/docs/Web/API/DocumentFragment" rel="nofollow">documentFragments</a>, which just live in memory as an object. It isn't added to your page, and events can only be triggered on it by using the returned value (here stored in <code>window.events</code>).</p> <pre><code>window.events = $('<div>'); events.on('changeSettings',function(e,param1){ // do something }); events.trigger('changeSettings', ['value']); </code></pre> <h2><a href="http://jsfiddle.net/ueyZ3/" rel="nofollow">fiddle</a></h2> <hr> <p>Here's an example using <a href="http://radio.uxder.com/index.html" rel="nofollow">radio.js</a>, which does events and nothing else.</p> <pre><code>radio('changeSettings').subscribe(function(data1, data2) { //do something with data1 and data2 }); radio('changeSettings').broadcast(data1, data2); </code></pre> <p>You could also do something like this, which allows refactoring and minification.</p> <pre><code>var events = {changeSettings: radio('changeSettings')}; events.changeSettings.subscribe(function(data1, data2) { //do something with data1 and data2 }); events.changeSettings.broadcast(data1, data2); </code></pre> |
21,810,145 | 0 | Paypal checkout opens on a separate tab - how to change this? <p>I have found that the Paypal generated buttons is a very good solution for my wife's website. However, whenever someone presses on the "add to cart" button, he/she is taken to a separate Internet Explorer tab. That's fine. However, if they chose to "continue shopping", IE tries to close the Paypal tab and asks the user's permission to do so. This is not really ideal from the user experience point of view.</p> <p>Can I force the Paypal Checkout to open in the same IE tab as the main website?</p> <p>Thank you.</p> |
6,948,422 | 0 | <p>These are just some ideas.</p> <p>Isn't step 3 actually straightforward (just compress and/or encrypt the data into different bytes)? For 7-bit ASCII, you can also, before compressing and/or encrypting, store the data by packing the bits so they fit into fewer bytes.</p> <p>If you can use UTF-32, UTF-8, and so on in step 5, you have access to all the characters in the <a href="http://en.wikipedia.org/wiki/Unicode" rel="nofollow">Unicode</a> Standard, up to 0x10FFFD, with some exceptions; for example, some code points are noncharacters in the Unicode Standard, such as 0xFFFF, and others are invalid characters, such as 0xD800.</p> |
34,967,710 | 0 | change a attr of element when windows width less than value with jquery <p>I want when windows width less than 992, change css attr of one element. I wrote this code:</p> <pre><code>$(document).ready() { if ($(window).width() < 992) { $('#header_right').css('text-align', 'center'); } } </code></pre> <p>If I execute</p> <pre><code>if ($(window).width() < 992) { $('#header_right').css('text-align', 'center'); } </code></pre> <p>in console by ff done but when use this code in file such as up don't worked.</p> <p>I use this js file in head:</p> <pre><code><script src="js/jquery.min.js"></script> <script src="js/bootstrap.min.js"></script> <script src="js/main.js"></script> </code></pre> <p>Please advice.</p> |
2,942,167 | 0 | <p>You can try to use indexes, its very optimize queries time.</p> <p>try this link:</p> <p><a href="http://www.databasejournal.com/features/mysql/article.php/1382791/Optimizing-MySQL-Queries-and-Indexes.htm" rel="nofollow noreferrer">http://www.databasejournal.com/features/mysql/article.php/1382791/Optimizing-MySQL-Queries-and-Indexes.htm</a></p> |
21,452,934 | 0 | What is the easiest way to push a very messy local git repo to a remote git repo, chunk by chunk? <p>I have forked and then cloned a git repo that my research group is working on a while ago. I was (and still am) new to git, but I happily created a few branches, occasionally merging them with the changes from the remote source. I have also pushed my changes every now and again to my remote forked version of the repo, but I never pushed much to the original repo, because my work was undone and nobody demanded it.</p> <p>Here is the situation: I have a whole load of changes committed and pushed to my remote repo. Almost none of it made it to the original remote repo that the rest of the group is working on. Just doing one big diff is out of the question, because there is still way too much scruffy unfinished work that nobody besides me might need. How do I start pushing selected changes (as in, selected manually, by hand) to the remote repo, chunk by chunk?</p> <p>I am not fluent in git, and I wonder if I have to make a clean clone and start from there. Is there a smarter way of approaching my situation?</p> <p>Thank you.</p> |
8,406,433 | 0 | Launch jQuery .datepicker from Another JS Function <p>I need to launch .datepicker only if the text entered into a field does not meet a set of criteria. But, I can not figure out how to launch .datepicker other than directly from a field getting focus or a button being presses.</p> <p>What I'm trying to do...</p> <p>The HTML</p> <pre><code><input type="text" id="userDate" name="userDate" style="width: 100px;" onblur="checkDate(this.id);" /> </code></pre> <p>The JS</p> <pre><code>function checkDate(theId) { var enteredValue = document.getElementById(theId).value; var checkedValue = evaluateValue(enteredValue); // this checks to see if the text meets the criteria if (checkedValue == null) { // this is where I want to call the .datepicker to have the calendar show up $("#userDate").datepicker(); } else { document.getElementById(theId).value = checkedValue; } } </code></pre> <p>I know, this would be easier if the calendar just came up when the text field gets focus. But, this is not the way the client wants it to work. They want to accept user input as long as it falls into their desired formats. If not, then they want the calendar and a default, forced format.</p> <p>Thanks.</p> |
760,353 | 0 | <p>A swift google came up with this example which may be of use. I offer no guarantees, except that it compiles and runs :-)</p> <pre><code>#include <streambuf> #include <ostream> template <class cT, class traits = std::char_traits<cT> > class basic_nullbuf: public std::basic_streambuf<cT, traits> { typename traits::int_type overflow(typename traits::int_type c) { return traits::not_eof(c); // indicate success } }; template <class cT, class traits = std::char_traits<cT> > class basic_onullstream: public std::basic_ostream<cT, traits> { public: basic_onullstream(): std::basic_ios<cT, traits>(&m_sbuf), std::basic_ostream<cT, traits>(&m_sbuf) { init(&m_sbuf); } private: basic_nullbuf<cT, traits> m_sbuf; }; typedef basic_onullstream<char> onullstream; typedef basic_onullstream<wchar_t> wonullstream; int main() { onullstream os; os << 666; } </code></pre> |
19,996,069 | 0 | Unbounded knapsack pseducode <p>I need to modify wiki's knapsack pseudocode for my homework so it checks whether you can achieve exact weight W in the knapsack or not. Number of items is unlimited and you the value not important. I am thinking to add a while loop under j>-W[j] to check how many same items would it fit. Will that work?</p> <p>Thanks</p> <pre><code>// Input: // Values (stored in array v) // Weights (stored in array w) // Number of distinct items (n) // Knapsack capacity (W) for w from 0 to W do m[0, w] := 0 end for for i from 1 to n do for j from 0 to W do if j >= w[i] then m[i, j] := max(m[i-1, j], m[i-1, j-w[i]] + v[i]) else m[i, j] := m[i-1, j] end if end for end for </code></pre> |
31,060,657 | 0 | TCP/IP send data and receive data sequence <p>I am using uIP Open Source TCP Stack on my Embedded Microcontroller. I have read many post of TCP/IP which looks similar to this question but still I couldn't get the answer I was looking for. Thus I am asking this.</p> <p>I know send data will be saved in Ethernet Controller(Server) Tx Buffer in sequence. And Receive data will be saved in Ethernet Controller(Client) Rx Buffer in sequence. </p> <p>If I have 100 bytes of message which I send (using PSOCK_SEND method ) all together to client using TCP. I know if I send all together receiver will guarantee receive all together.</p> <p>Now If I send two 50 bytes one by one, it there any possibility that second 50 bytes sent can be received first. And first 50 bytes sent can be received second?</p> <p>My understanding is that this is possible in HTTP Protocol. But in TCP regardless of bytes sent in two steps or one, the receive will receive in the same sequence. So TCP will keep sending first 50 bytes until it will be successful or time out. And only then it will send second 50 bytes.</p> |
17,589,982 | 0 | <p>Because that is just how it works, it's in minutes. Why is it an issue?</p> |
8,614,416 | 0 | <p>MVP can be explained the following way:</p> <p>Model -- the domain model of your application. All business logic is here.</p> <p>Presenter -- All view logic is here. Retrieves data from model and updates the view. </p> <p>View -- UI presentation. Contains no updating logic. Fires events to the presenter on user interaction something and listens to the events from the presenter.</p> |
300,712 | 0 | Codebehind and inline on same page in ASP.NET? <p>In ASP.NET, is it possible to use both code behind and inline on the same page? I want to add some inline code that's related to the UI of the page, the reason to make it inline is to make it easy to modify as it outputs some HTML which is why I don't want to add it in the code behind, is this possible in ASP.NET?</p> <p>Edit: I'm sorry, obviously my question wasn't very clear, what I meant is using a script block with runat="server", this is what I meant by inline code.</p> <p>Thanks</p> |
24,663,056 | 0 | <p>I found that if my mapping didn't perfectly match my view then it would error trying to generate the "table", since it thought it already existed or didn't match the definition in my code. </p> <p>I used the Reverse Engineer Code First feature in <a href="http://msdn.microsoft.com/en-us/data/jj593170.aspx" rel="nofollow">EF Power Tools</a> and copied the model and model Map files it generated for my view. These worked without issue.</p> <p>Then, the final step, I added the Map file during your OnModelCreation method in your DbContext:</p> <pre><code>protected override void OnModelCreating(DbModelBuilder modelBuilder) { modelBuilder.Configurations.Add(new UserFoldersMap()); } </code></pre> |
20,813,479 | 0 | <p>try</p> <pre><code>$con = mysqli_connect("localhost","root","","test_sms"); if (mysqli_connect_errno()) { echo "Failed to connect:" . mysqli_connect_error(); } $value = "INSERT INTO userstbl (usr_name, usr_pwd, usr_fname, usr_lname) VALUES ('Aftab','xyz','Aftab','Hussain')"; $sqlin = mysql_prep($value); if (!mysqli_query($con, $sqlin)){ die ('Error: ' . mysqli_error($con)); } $sqlot = "SELECT * FROM usertbl"; $sqlo = mysql_prep($sqlot); $sqlout = mysqli_query($con , $sqlo); echo "<table border='1'><tr><th>ID</th><th>Username</th><th>Password</th><th>First Name</th><th>Last Name</th></tr>"; while ($row = mysqli_fetch_array($sqlout)); { echo "<tr>"; echo "<td>" . $row['usr_id'] . "</td>"; echo "<td>" . $row['usr_name'] . "</td>"; echo "<td>" . $row['usr_pwd'] . "</td>"; echo "<td>" . $row['usr_fname'] . "</td>"; echo "<td>" . $row['usr_lname'] . "</td>"; echo "</tr>"; } mysqli_close($con); ?> </code></pre> |
6,221,736 | 0 | <p>Just get the background color and use it to cover the old circle with a background-color circle.</p> |
30,586,074 | 0 | <p>You can try change the "result" definition to the following</p> <pre><code>DataSourceResult result = proyectos.AsEnumerable().Select(x => x).ToDataSourceResult(request, o => new { ProyectoID = o.ProyectoID, OCCliente = o.OCCliente, FullName = o.Usuario.getFullName, Descripcion = o.Descripcion }); </code></pre> |
25,216,793 | 0 | Spring Security and AOP issue <p>I am adding AOP feature on a Spring-Security application deployed on a Tomcat 7 server. The application worked fine since I added the AspectJ dependency.</p> <p>This is my Maven dependencies in my POM:</p> <pre><code><properties> <spring.framework.version>4.0.5.RELEASE</spring.framework.version> <spring.security.version>3.2.4.RELEASE</spring.security.version> </properties> <!-- Spring dependencies --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-core</artifactId> <version>${spring.framework.version}</version> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-context</artifactId> <version>${spring.framework.version}</version> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-tx</artifactId> <version>${spring.framework.version}</version> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-jdbc</artifactId> <version>${spring.framework.version}</version> </dependency> <dependency> <groupId>org.springframework.security</groupId> <artifactId>spring-security-core</artifactId> <version>${spring.security.version}</version> </dependency> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-aop</artifactId> <version>${spring.framework.version}</version> </dependency> <dependency> <groupId>org.aspectj</groupId> <artifactId>aspectjtools</artifactId> <version>1.8.1</version> </dependency> </dependencies> </code></pre> <p>And here, my Spring configuration (at least, the most relevant):</p> <pre><code><security:global-method-security secured-annotations="enabled" /> <bean id="myAuthenticationDetailsSource" class="net.classnotfound.MyAuthenticationDetailsSource"> </bean> <bean id="oracleLoginChecker" class="net.classnotfound.OracleLoginChecker"> </bean> <bean id="ldapLoginChecker" class="net.classnotfound.LdapLoginChecker"> </bean> <bean id="myAuthenticationProvider" class="net.classnotfound.MyAuthenticationProvider"> <property name="loginCheckerMap"> <map> <entry key="ORACLE" value-ref="oracleLoginChecker"/> <entry key="LDAP" value-ref="ldapLoginChecker"/> </map> </property> </bean> <bean id="loggerListener" class="org.springframework.security.authentication.event.LoggerListener" /> <security:authentication-manager alias="authenticationManager"> <!-- create a custom AuthenticationProvider class to tune the login process --> <security:authentication-provider ref="myAuthenticationProvider" /> </security:authentication-manager> <security:http auto-config="true" use-expressions="true"> <security:intercept-url pattern="/faces/login/**" access="anonymous" /> <security:intercept-url pattern="/faces/**" access="authenticated" /> <security:form-login login-page="/faces/login/login.xhtml" authentication-failure-url="/faces/login/login.xhtml?error=1" default-target-url="/faces/index.xhtml" authentication-details-source-ref="myAuthenticationDetailsSource" username-parameter="username" password-parameter="password" /> </security:http> <tx:annotation-driven /> <beans> <bean id="aroundAspect" class="net.classnotfound.AroundAdvice" /> <aop:aspectj-autoproxy /> <aop:config> <aop:aspect ref="aroundAspect"> <aop:pointcut id="aroundPointCut" expression="@target(org.springframework.transaction.annotation.Transactional)" /> <aop:around pointcut-ref="aroundPointCut" method="doBasicProfiling" /> </aop:aspect> </aop:config> </beans> </code></pre> <p>And now, when I start Tomcat, I have this error:</p> <pre><code>[...] Caused by: java.lang.NoSuchMethodException: com.sun.proxy.$Proxy34.isEraseCredentialsAfterAuthentication() at java.lang.Class.getMethod(Class.java:1655) at org.springframework.util.MethodInvoker.prepare(MethodInvoker.java:174) at org.springframework.beans.factory.config.MethodInvokingFactoryBean.afterPropertiesSet(MethodInvokingFactoryBean.java:103) at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.invokeInitMethods(AbstractAutowireCapableBeanFactory.java:1612) at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.initializeBean(AbstractAutowireCapableBeanFactory.java:1549) ... 64 more </code></pre> <p>I googled a bit and it seems that the JDK proxy mechanism cannot "proxy" method which are note defined at the interface level, I tried to adapt my configuration to proxy classes with:</p> <pre><code><aop:aspectj-autoproxy proxy-target-class="true"/> </code></pre> <p>But now, i have:</p> <pre><code>[...] Caused by: java.lang.IllegalArgumentException: Cannot subclass final class class org.springframework.security.config.method.GlobalMethodSecurityBeanDefinitionParser$AuthenticationManagerDelegator at org.springframework.cglib.proxy.Enhancer.generateClass(Enhancer.java:446) at org.springframework.cglib.transform.TransformingClassGenerator.generateClass(TransformingClassGenerator.java:33) at org.springframework.cglib.core.DefaultGeneratorStrategy.generate(DefaultGeneratorStrategy.java:25) at org.springframework.cglib.core.AbstractClassGenerator.create(AbstractClassGenerator.java:216) at org.springframework.cglib.proxy.Enhancer.createHelper(Enhancer.java:377) at org.springframework.cglib.proxy.Enhancer.createClass(Enhancer.java:317) at org.springframework.aop.framework.ObjenesisCglibAopProxy.createProxyClassAndInstance(ObjenesisCglibAopProxy.java:57) at org.springframework.aop.framework.CglibAopProxy.getProxy(CglibAopProxy.java:202) ... 34 more </code></pre> <p>I guess it's normal because it's a known limitation of AspectJ.</p> <p>So now, i am stuck, do I have to give up the idea to use Spring security and AOP in the same project (weird) or there is some obscure configuration, or some dependencies to use? Thanks for your help.</p> |
37,749,979 | 0 | <p>You don't instantiate <code>ConfigParser</code> when you assign it to the <code>self.scfgs</code> or <code>self.cfg</code> attributes; so when you then call <code>read</code> on it, you're calling an unbound method via the class, rather than a method on the instance.</p> <p>It should be:</p> <pre><code>self.cfg = ConfigParser() </code></pre> <p>etc</p> |
34,894,930 | 0 | <p>Looking at the code of EventSource, the <code>awaitFirstContact()</code> doesn't seem necessary in <code>open</code> method. I think there definitely should have been <code>open</code> method without blocking, because other processing is done asynchronizely. So I think you have to workaround it. There is a second parameter in <code>EventSource</code> constructor - <code>boolean open</code>. You can pass <code>false</code> there, so the eventsource will not be opened, than create new thread to open eventsource there.</p> <pre><code>public class Main { public static void main(String[] args) { WebTarget target = null;//... EventSource es = openAsynchronizely(target); es.register(new EventListener() { @Override public void onEvent(InboundEvent inboundEvent) { ///... } }); } static EventSource openAsynchronizely(WebTarget target) { EventSource eventSource = new EventSource(target, false); new OpenThread(eventSource).start(); return eventSource; } static class OpenThread extends Thread { private final EventSource eventSource; public OpenThread(EventSource eventSource) { this.eventSource = eventSource; } @Override public void run() { eventSource.open(); } } } </code></pre> |
11,595,944 | 0 | <pre><code>DOIT="" for f in file1.sh file2.sh; do if [ -x /home/$f ]; then DOIT="/home/$f"; break; fi done if [ -z "$DOIT" ]; then echo "Files not found, continuing build"; fi if [ -n "$DOIT" ]; then $DOIT && echo "No Errors" || exit 1; fi </code></pre> <p>For those confused about my syntax, try running this:</p> <pre><code>true && echo "is true" || echo "is false" false && echo "is true" || echo "is false" </code></pre> |
28,763,451 | 0 | AngularJS - Can I remove images from ng-bind-html's property by not manipulating core HTML content? <p>I want to not to show images in my html content which is rendered by ng-bind-html directive. How can I do this?</p> <pre><code><div ng-bind-html="news.body"></div> </code></pre> <p>Here I want to remove the images from "news.body" content. By not manipulating the core HTML content.</p> <p>Is it possible? Thanks in advance.</p> |
19,669,574 | 0 | <p>Everything inside the {} has access to <code>L</code>. Without the {}'s, only the next statement would have access.</p> <p>It's standard C# syntax, just like putting {}'s after an <code>if</code>, <code>for</code> or <code>while</code> statement for example. It defines a block of code that applies to the <code>using</code> statement.</p> <p>Whilst it uses the same word as an import <code>using</code>, it's use is very different. The C# language designers try to reuse reserved words, rather than introducing new ones, for backward compatibility reasons.</p> <p>In the case of a <code>using block</code>, as you are defining, the idea is that the object <code>L</code> only exists whilst the using block is executed. It is then disposed afterwards. This saves having to remember to close files or connections and generally tidy up, the using block does that for you. </p> <p>A using block is in fact just "syntactic sugar" for a try/finally block. As explained at <a href="http://msdn.microsoft.com/en-us/library/yh598w02.aspx" rel="nofollow">http://msdn.microsoft.com/en-us/library/yh598w02.aspx</a></p> <blockquote> <p>The using statement ensures that Dispose is called even if an exception occurs while you are calling methods on the object. You can achieve the same result by putting the object inside a try block and then calling Dispose in a finally block; in fact, this is how the using statement is translated by the compiler.</p> </blockquote> |
13,153,561 | 0 | <p>This should work:</p> <pre><code>$a = get_included_files(); echo $a[0]; </code></pre> <p>Quote from <a href="http://php.net/manual/en/function.get-included-files.php" rel="nofollow"><code>get_included_files()</code></a> documentation:</p> <blockquote> <p>The script originally called is considered an "included file," so it will be listed together with the files referenced by include and family.</p> </blockquote> <h1>Test</h1> <pre><code><!-- main.php --> <?php include "middle.php"; ?> <!-- middle.php --> <?php include "inner.php"; ?> <!-- inner.php --> <?php var_dump(__FILE__, $_SERVER["PHP_SELF"], get_included_files()); ?> </code></pre> <h1>Output</h1> <pre class="lang-none prettyprint-override"><code>string(21) "C:\inetpub\wwwroot\inner.php" string(9) "/main.php" array(3) { [0]=> string(20) "C:\inetpub\wwwroot\main.php" <-- this is what you are looking for [1]=> string(22) "C:\inetpub\wwwroot\middle.php" [2]=> string(21) "C:\inetpub\wwwroot\inner.php" } </code></pre> |
34,838,000 | 0 | <p>If every thing is working fine and you have problem in showing latest chat message in adapter just change your code like this:</p> <pre><code>try{ Log.d("cr_id: ",String.valueOf(cr_id).toString()); //This is where the population should've taken place but didn't. resultObject = new HttpTask(context).doInBackground("sendMessages",conversation_id.toString(),String.valueOf(cr_id)); if(resultObject.get("status").toString().equals("true")) { messages = resultObject.getJSONArray("messages"); Log.d("Messages: ",messages.toString()); for(int i=0;i<=messages.length();i++){ list.add(messages.getJSONObject(i).get("reply_text").toString()); this.notifyDataSetChanged(); // add this line } } } catch(JSONException e){ } </code></pre> <p>Comment below for any further information</p> |
6,428,663 | 0 | <p>I'll assume you're trying to minimize the maximum width of a string with n breaks. This can be done in O(words(str)*n) time and space using dynamic programming or recursion with memoziation. </p> <p>The recurrence would look like this where the word has been split in to words</p> <pre><code>def wordwrap(remaining_words, n): if n > 0 and len(remaining_words)==0: return INFINITY #we havent chopped enough lines if n == 0: return len(remaining_words.join(' ')) # rest of the string best = INFINITY for i in range remaining_words: # split here best = min( max(wordwrap( remaining_words[i+1:], n-1),remaining_words[:i].join(' ')), best ) return best </code></pre> |
2,983,022 | 0 | PHP/MySQL Printing Duplicate Labels <p>Using an addon of FPDF, I am printing labels using PHP/MySQL (<a href="http://www.fpdf.de/downloads/addons/29/" rel="nofollow noreferrer">http://www.fpdf.de/downloads/addons/29/</a>). I'd like to be able to have the user select how many labels to print. For example, if the query puts out 10 records and the user wants to print 3 labels for each record, it prints them all in one set. 1,1,1,2,2,2,3,3,3...etc. Any ideas?</p> <pre><code> <?php require_once('auth.php'); require_once('../config.php'); require_once('../connect.php'); require('pdf/PDF_Label.php'); $sql="SELECT $tbl_members.lastname, $tbl_members.firstname, $tbl_members.username, $tbl_items.username, $tbl_items.itemname FROM $tbl_members, $tbl_items WHERE $tbl_members.username = $tbl_items.username"; $result=mysql_query($sql); if(mysql_num_rows($result) == 0){ echo "Your search criteria does not return any results, please try again."; exit(); } $pdf = new PDF_Label("5160"); $pdf->AddPage(); // Print labels while($rows=mysql_fetch_array($result)){ $name = $rows['lastname'].', '.$rows['firstname'; $item= $rows['itemname']; $text = sprintf(" * %s *\n %s\n", $name, $item); $pdf->Add_Label($text); } $pdf->Output('labels.pdf', 'D'); ?> </code></pre> |
22,108,184 | 1 | Selenium Python | IndexError: list index out of range <p><strong>Problem Statement</strong>:- On the <a href="http://www.saksoff5th.com/laurel-nubuck-leather-belt/0492184735210.html?start=2&cgid=Men#q=belts&start=1&location=0&slotLoads=1" rel="nofollow">http://www.saksoff5th.com/laurel-nubuck-leather-belt/0492184735210.html?start=2&cgid=Men#q=belts&start=1&location=0&slotLoads=1</a> site, I am trying to add a size and choose color for an item so that I can proceed to the checkout. However, I am getting the error <code>list index out of range</code>. My code is:</p> <pre><code>selenium import webdriver from selenium.webdriver.common.keys import Keys import time browser = webdriver.Firefox() #Searches via Belts in the text box browser.get('http://www.saksoff5th.com') browser.find_element_by_id('q').send_keys('Belts' + Keys.RETURN) #Clicks the Men link browser.implicitly_wait(10) browser.find_element_by_link_text('Men').click() time.sleep(10) elemprodcl = browser.find_element_by_id('search-result-items') Listprdcl= elemprodcl.find_elements_by_class_name('grid-tile') elemprodcl2 = Listprdcl[1].find_element_by_class_name('product-tile') elemprodcl3 = elemprodcl2.find_element_by_class_name('product-image') elemprodcl4 = elemprodcl3.find_element_by_tag_name('a') elemprodcl4.find_element_by_tag_name('img').click() elemproddl = browser.find_element_by_class_name('swatches') print('yes') Listproddl = elemproddl.find_elements_by_class_name('selectable') print('yes1') Listproddl[1].click() print('yes2') elemclr = browser.find_element_by_class_name('Color') print('yes3') Listclr = elemclr.find_elements_by_class_name('selectable') print('yes4') Listclr[0].find_element_by_class_name('swatchanchor').click() print('yes5') Output as yes yes1 yes2 yes3 yes4 Traceback (most recent call last): File "C:\Python27\Off5th_Guest_Checkout", line 56, in <module> Listclr[0].find_element_by_class_name('swatchanchor').click() IndexError: list index out of range </code></pre> |
25,057,046 | 0 | spring security - adding parameters to request for json login not working <p>I have been following this post on how to create an entry point into my spring mvc 3.1 web application for someone to login using a json request.</p> <p><a href="http://stackoverflow.com/questions/19500332/spring-security-and-json-authentication">Spring Security and JSON Authentication</a></p> <p>I've got a question about the code below. Inside attemptAuthentication I am adding extra request parameters which are json specific. And then I try to access those parameters in obtainUsername and obtainPassword but the parameters are not there.</p> <pre><code>public Authentication attemptAuthentication(HttpServletRequest request, HttpServletResponse response) throws AuthenticationException { if ("application/json".equals(request.getHeader("Content-Type"))) { StringBuffer sb = new StringBuffer(); String line = null; BufferedReader reader; try { reader = request.getReader(); while ((line = reader.readLine()) != null){ sb.append(line); } //json transformation ObjectMapper mapper = new ObjectMapper(); JsonLoginRequest loginRequest = mapper.readValue(sb.toString(), JsonLoginRequest.class); String jsonUsername = loginRequest.getJ_username(); request.setAttribute("jsonUsername", jsonUsername); String jsonPassword = loginRequest.getJ_password(); request.setAttribute("jsonPassword", jsonPassword); String jsonStore = loginRequest.getJ_store(); request.setAttribute("jsonStore", jsonStore); } catch (JsonParseException e) { e.printStackTrace(); } catch (JsonMappingException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } } String usernameParameter = obtainUsername(request); String password = obtainPassword(request); </code></pre> <p>When I do this jsonUsername and jsonStore don't exist even though I added them above.</p> <pre><code>@Override protected String obtainUsername(HttpServletRequest request) { String combinedUsername = null; if ("application/json".equals(request.getHeader("Content-Type"))) { String jsonUsername = request.getParameter("jsonUsername"); String jsonStore = request.getParameter("jsonStore"); combinedUsername = jsonUsername + SecurityConstants.TWO_FACTOR_AUTHENTICTION_DELIM + jsonStore; }else { String username = super.obtainUsername(request); String store = request.getParameter(SecurityConstants.STORE_PARAM); String hiddenStore = request.getParameter(SecurityConstants.HIDDEN_STORE_PARAM); combinedUsername = username + SecurityConstants.TWO_FACTOR_AUTHENTICTION_DELIM + store + SecurityConstants.TWO_FACTOR_AUTHENTICTION_DELIM + hiddenStore; } return combinedUsername; } </code></pre> <p>Can someone help me with what is wrong? thanks</p> |
41,024,710 | 0 | <p>You could use the <a href="https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Property_Accessors" rel="nofollow noreferrer">property accessor</a>, like the assignment.</p> <p><div class="snippet" data-lang="js" data-hide="false" data-console="true" data-babel="false"> <div class="snippet-code"> <pre class="snippet-code-js lang-js prettyprint-override"><code>var f = function() { console.log("Hello! " + f.x); } f.x = "Whoohoo"; console.log(f.x); f();</code></pre> </div> </div> </p> <p>For stable access, you could use a named function </p> <p><div class="snippet" data-lang="js" data-hide="false" data-console="true" data-babel="false"> <div class="snippet-code"> <pre class="snippet-code-js lang-js prettyprint-override"><code>var f = function foo() { console.log("Hello! " + foo.x); } // ^^^ >>>>>>>>>>>>>>>>>>>>>>>>>>> ^^^ f.x = "Whoohoo"; console.log(f.x); f();</code></pre> </div> </div> </p> |
2,815,657 | 0 | <p>There are only 100 web sites that are in the list of top 100 websites, and they count for only a measly percentage of all websites. A fabulous percentage of websites are rarely visited. Because they have few users, the receive little testing and even less complaint from users that need it to work without javascript, or with a version different from what the developer happened to use. </p> <p>Maybe the worst part of it is these sites make use of all sorts of showy bling in the form of Javascript and flash to look interesting or important.</p> <p>Core functionality in these cases is really just basic site navigation. </p> |
36,195,725 | 0 | Dependency Injection Laravel <p>I have a Facade Class</p> <pre><code>use App\Http\Response class RUser { public function signup(TokenGenerator $token_generator, $data) { $response = []; $access_token = $token_generator->generate(32); dd($access_token); $user = User::create($data); $response['user_id'] = $user->_id; $response['']; } } </code></pre> <p>Now from my <code>UserController</code> I am trying to use the <code>RUser::signup()</code> function like below </p> <pre><code>class UserController extends Controller { public function store(Request $request) { $this->request = $request; $payload = json_decode($this->request->getContent()); if($this->validateJson('user.create', $payload)) { $validator = Validator::make((array) $payload, User::$rules); if ($validator->fails()) { $messages = $validator->errors(); return $this->sendResponse(false, $messages); } FUser::signup($payload); return $this->sendResponse(true, $response); } } } </code></pre> <p>I think Laravel resolves these dependency automatically and i shound not be passing the instance of <code>TokenGenerator</code> explicitly. But i am getting the following error.</p> <pre><code>Argument 1 passed to App\Http\Responses\RUser::signup() must be an instance of App\Utils\TokenGenerator, instance of stdClass given, called in </code></pre> |
27,912,224 | 0 | Trying to install Django <p>I have been trying to install Django correctly for a while to no avail.</p> <pre><code>C:\Python34\Scripts\pip.exe install C:\Python34\Lib\site-packages\Django-1.7.2\Django-1.7.2\setup.py </code></pre> <p>raises an exception and stores the following in a log file:</p> <pre><code>C:\Python34\Scripts\pip run on 01/12/15 17:47:02 Exception: Traceback (most recent call last): File "C:\Python34\lib\site-packages\pip\basecommand.py", line 122, in main status = self.run(options, args) File "C:\Python34\lib\site-packages\pip\commands\install.py", line 257, in run InstallRequirement.from_line(name, None)) File "C:\Python34\lib\site-packages\pip\req.py", line 172, in from_line return cls(req, comes_from, url=url, prereleases=prereleases) File "C:\Python34\lib\site-packages\pip\req.py", line 70, in __init__ req = pkg_resources.Requirement.parse(req) File "C:\Python34\lib\site-packages\pip\_vendor\pkg_resources.py", line 2606, in parse reqs = list(parse_requirements(s)) File "C:\Python34\lib\site-packages\pip\_vendor\pkg_resources.py", line 2544, in parse_requirements line, p, specs = scan_list(VERSION,LINE_END,line,p,(1,2),"version spec") File "C:\Python34\lib\site-packages\pip\_vendor\pkg_resources.py", line 2512, in scan_list raise ValueError("Expected "+item_name+" in",line,"at",line[p:]) ValueError: ('Expected version spec in', 'C:\\Python34\\Lib\\site-packages\\Django-1.7.2\\Django-1.7.2\\setup.py', 'at', ':\\Python34\\Lib\\site-packages\\Django-1.7.2\\Django-1.7.2\\setup.py') </code></pre> <p>any help would be greatly appreciated! THANK YOU</p> |
8,664,578 | 0 | C# MVC3 storing MetaData in a single class <p>Is it possible to store the metadata information of 2 models in a single class? </p> <p>For example I'm working on Login and Registration model, both has username and password. Usually we create another class that will contain the meta data information: LoginMetadata and RegistrationMetadata. Or put the metadata information in the Login and Registration class.</p> <p>What I want to do is to create a single UserMetadata class then store the combined metadata information from Login and Registration model in it. In this case I have a single validation rule for username, password, etc. Is that possible?</p> <p>Regards, czetsuya</p> |
11,404,401 | 0 | <p>I am not sure if I understand you right, but does a tranpose of your matrix do the job?</p> <p>Here is an example:</p> <pre><code> require(gplots) data(mtcars) x <- as.matrix(mtcars) heatmap.2(x) </code></pre> <p><img src="https://i.stack.imgur.com/4Bue0.png" alt="enter image description here"></p> <pre><code># transpose the matrix heatmap.2(t(x)) </code></pre> <p><img src="https://i.stack.imgur.com/5R8AF.png" alt="enter image description here"></p> |
15,508,759 | 0 | Strange ie behaviour with jquery inArray <p>Hello this seems to be working on IE8 :</p> <pre><code>var clsName = link.parents("div.fixed_column").attr("class").split(" "); if($.inArray("column_one", clsName) </code></pre> <p>While this one reports error (Object expected errror in jquery).</p> <pre><code>var clsName = link.parents("div.fixed_column").attr("class"); </code></pre> <p>What is the right way to do this? I thought purpose of inArray was that jquery will handle cross browser issues.</p> |
18,548,383 | 0 | <p>I'm not sure this is what your asking but you can't show anything on top of an iframe I don't think, definitely not cross browser. But I doubt you need to.</p> <p>Now first off, your HTML seems improper because you open a <code><div class="ddoverlap"></code>, then a <code><table></code>, then <em>another</em> <code><table></code> which contains the links. You close that <strong>2nd</strong> <code><table></code> and then try to close the <code><div></code> while your still inside of the <strong>1st</strong> <code><table></code>:</p> <pre><code><div class="ddoverlap"> <!-- 1st table --> <table align="center" cellpadding="0" class="CAATDashboardTable" cellspacing="0" xmlns:x="http://www.w3.org/2001/XMLSchema" xmlns:d="http://schemas.microsoft.com/sharepoint/dsp" xmlns:asp="http://schemas.microsoft.com/ASPNET/20" xmlns:__designer="http://schemas.microsoft.com/WebParts/v2/DataView/designer" xmlns:SharePoint="Microsoft.SharePoint.WebControls" xmlns:ddwrt2="urn:frontpage:internal" style="width: 100%"> <tr> <td style="height: 65px; width: 100%;"> <!--BELOW TABLE CONTAINS THE TOP BORDER LINKS--> <table style="width: 100%" align="center"><tr> <!-- 2nd table! --> <!-- (content omitted to uncover document structure) --> </td></tr> <!-- (also this </td> is double) --> </table> <!-- closing 2nd table --> <!-- Not closing 1st table --> </div> </code></pre> <p>So advice to you would be to recheck your HTML first of all. Then you have a couple of options. The simplest is to continue using a <code><table></code> for mark-up. This is considered a bad habit nowadays, but so is using <code><iframe></code> and you're probably stuck with that.</p> <p>When using <code><table></code> for mark-up, make it 1 big table that stretches across the available screenspace and put the <code><iframe></code> inside. This way the <code><iframe></code> will simply stretch to the size of the <code><td></code> it's inside. So a rough doc structure would be:</p> <pre><code><table style="width:100%;height:100%;"> <tr> <!-- the <td>s with the links, I've counted, both top and bottom are 10 --> </tr> <tr> <td colspan="10" style="width:100%;height:100%"> <iframe name="target1" width="100%" height="100%" src="#" frameborder="0"></iframe> </td> </tr> <tr> <!-- the <td>s with the links, again 10 --> </tr> </table> </code></pre> <p>Notice the <code>colspan="10"</code> to have the <code><td></code> with the <code><iframe></code> stretch the width of the 10 cells in the top and bottom.</p> <p><em>Edit:</em> A non-table way of doing this would be with <code><div></code> and <code>CSS</code>. With different numbers of buttons at the top and bottom, it might be something like this:</p> <pre><code><head> <style type="text/css"> #topbar, #bottombar { position:absolute; width:100%; height:1.2em; } #topbar { top:0; } #bottombar { bottom:0; } iframe { position:absolute; top:1.2em; bottom:1.2em; width:100%; } #topbar a { display:inline-block; width:10%; /* 100/10=10 */ } #bottombar a { display:inline-block; width:9%; /* 100/11~=9 */ } </style> </head> <body> <div id="topbar"> <a onclick="blablablayougetthepoint">Something</a> <!-- more links, total of 10, notice the onclick is now on the a, no more td --> </div> <div id="bottombar"> <a onclick="yadayadayada">Some other thing</a> <!-- more links, total of 11 --> </div> <iframe src="etc"></iframe> </body> </code></pre> |
12,616,043 | 0 | <p>The <code>queryset</code> example you have given rightly indicates that <code>querysets</code> are evaluated lazily i.e the first time they are used. So when subsequently used again, they are not evaluated in the same flow when assigned to a variable. This is not exactly caching but re-using an evaluated expression as long as it is available in an optimized manner.</p> <p>For the kind of caching you are looking at i.e the same view called twice, you will need to manually cache the database object when it is fetched the first time. <a href="https://docs.djangoproject.com/en/dev/topics/cache/?from=olddocs#memcached" rel="nofollow">Memcached</a> is good for this. Then subsequently check and fetch like in example below.</p> <pre><code>def view(request): results = cache.get(request.user.id) if not results: results = do_a_ton_of_work() cache.set(request.user.id, results) </code></pre> <p>There are of course a lot of other ways to do caching at different levels right from your proxy server to per url caching. Whatever works best for you. <a href="http://www.jeffknupp.com/blog/2012/02/24/django-memcached-optimizing-django-through-caching/" rel="nofollow">Here</a> is a good read on this topic.</p> |
26,323,651 | 0 | JNetPcap open pcap from InputStream <p>Is there a way to open an offline Pcap from an InputStream and not from a local file?</p> <p>In the documentation it say that you can use <code>pcap_fopen_offline()</code> to open Pcap from an open stream but I don't know how to use it.</p> |
36,119,735 | 0 | Convert YUV_420 _888 to ARGB using Libyuv <p>I am processing Android camera2 preview frames which are encoded in YUV_420 _888, by calling the method I420ToARGB from the Libyuv library but I get images in wrong colors. </p> <pre><code> libyuv::I420ToARGB( ysrc, //const uint8* src_y, ystride, //int src_stride_y, usrc, //const uint8* src_u, ustride, ///int src_stride_u, vsrc, //const uint8* src_v, vstride, //int src_stride_v, argb, //uint8* dst_argb, w*4, //int dst_stride_argb, w, //int width, h //int height ); </code></pre> |
3,196,539 | 0 | how to create methods from arrays or hashes in perl6 <p>I am trying to add new methods to an object dynamicaly.</p> <p>Following code works just fine:</p> <pre><code>use SomeClass; my $obj = SomeClass.new; my $blah = 'ping'; my $coderef = method { say 'pong'; } $obj.^add_method($blah, $coderef); $obj.ping; </code></pre> <p>this prints "pong" as expected, whereas the following will not work as expected:</p> <pre><code>use SomeClass; my $obj = SomeClass.new; my %hash = one => 1, two => 2, three => 3; for %hash.kv -> $k, $v { my $coderef = method { print $v; } $obj.^add_method($k, $coderef); } $obj.one; $obj.two; $obj.three; </code></pre> <p>will print either 111 or 333.</p> <p>Could anyone explain what i am missing or why the results are different from what i was expecting?</p> |
13,856,191 | 0 | How to read a file containg just 1 line or 1 word in Java <p>I have a file, I know that file will always contain only one word. So what should be the most efficient way to read this file ?</p> <p>Do i have to create input stream reader for small files also <strong>OR</strong> Is there any other options available?</p> |
34,502,427 | 0 | awakeFromNib gets called twice and outlets inside viewcontroller are not set <p>I am trying to build a menubar application for OSX. I have a AppDelegate, a Storyboard and a ViewController. The storyboard contains a application scene with the AppDelegate. The AppDelegate sets up the whole view hierarchy. Inside the AppDelegate I define a NSPopover with a ContentViewController(My ViewController). In order to set the ContentViewController I load the ViewController from the storyboard with the following code:</p> <pre><code> NSStoryboard*board=[NSStoryboard storyboardWithName:@"Main" bundle:nil]; _ruleView.contentViewController=[board instantiateControllerWithIdentifier:@"egm"]; </code></pre> <p>When I use the debugger to examine the awakeFromNib method the outlets inside the ViewController are not set why? The next problem is when the NSStatusItem is clicked it shows the NSPopover and the NSPopover calls the awakeFromNib inside my ViewController again and then my application crashes. Here is the code of the AppDelegate:</p> <pre><code>#import "AppDelegate.h" #import "ViewController.h" @interface AppDelegate() { NSStatusItem*_statusItem; NSPopover*_ruleView; } -(void)statusItemButtonPressed:(id)sender; -(void)openPopupWindow; -(void)closePopupWindow; @end @implementation AppDelegate - (void)applicationDidFinishLaunching:(NSNotification *)aNotification { } -(id)init { self=[super init]; if(self) { _ruleView=[[NSPopover alloc] init]; NSStoryboard*board=[NSStoryboard storyboardWithName:@"Main" bundle:nil]; _ruleView.contentViewController=[board instantiateControllerWithIdentifier:@"egm"]; _statusItem=[[NSStatusBar systemStatusBar] statusItemWithLength:24]; _statusItem.button.title=@"EG"; _statusItem.button.action=@selector(statusItemButtonPressed:); } return self; } -(void)statusItemButtonPressed:(id)sender { if(!_ruleView.shown) { [self openPopupWindow]; } else { [self closePopupWindow]; } } -(void)openPopupWindow{ [_ruleView showRelativeToRect:NSZeroRect ofView:_statusItem.button preferredEdge:NSMinYEdge]; } -(void)closePopupWindow{ [_ruleView close]; } - (void)applicationWillTerminate:(NSNotification *)aNotification { // Insert code here to tear down your application } </code></pre> |
14,618,237 | 0 | <p>You must never use a string in high volume applications. UI or not. Multi-threading or not.</p> <p>You should use StringBuilder to accumulate the string. and then assign</p> <pre><code>tb.Text = sb.ToString(); </code></pre> |
2,546,126 | 0 | <p>The kind of peer-to-peer networking problems become simple to the point of being trivial if you designate one machine as the master server. It should have a well-known name that all sub-servers can connect to so they can publish (and withdraw) their availability. A client can then send a query request to the same server and get a list of known servers in return.</p> <p>This can also solve your firewall problem, the master server could be listening on port 80.</p> <p>Look into the System.Net.PeerToPeer namespace for a p2p solution supported by the framework.</p> |
31,493,703 | 0 | log the alert box that pops up when leaving a page <p>I want to log alert boxes that pop up when I leave a page(when onbeforeunload, onunload or any other event is triggered while leaving a page). So I have overwritten alert function to record alert function invocations. Then I set window.location to some other url to navigate away from the page. But the problem is that when window.location is executed, it destroys my custom alert function and I can not log it any more. Any suggestion on how to solve it? <strong>Edit</strong> The page that I want to log its alert box is a third party's page. In order to inspect it, a scrip code is injected to the header of the page like this:</p> <p><div class="snippet" data-lang="js" data-hide="false"> <div class="snippet-code"> <pre class="snippet-code-html lang-html prettyprint-override"><code><html> <head> <script> window.alert = function(str){console.log(‘alert is called: ’ + str);}</script> </head> <body onbeforeunload=function(){alert(“you are leaving!”);}> Sample page </body> </html></code></pre> </div> </div> </p> <p>When I execute window.location='<a href="http://google.com" rel="nofollow">http://google.com</a>' on this page, an alert box pops up, instead of calling that overwritten alert function.</p> |
36,252,733 | 0 | How to stop Service when app is paused or destroyed but not when it switches to a new Activity? <p>Currently I have a <code>Service</code> which I am using to play a sound file in the background whilst the app is open:</p> <pre><code>public class BackgroundSoundService extends Service { MediaPlayer player; public IBinder onBind(Intent arg0) { return null; } @Override public void onCreate() { super.onCreate(); player = MediaPlayer.create(this, R.raw.sound); player.setLooping(true); player.setVolume(100, 100); } public int onStartCommand(Intent intent, int flags, int startId) { player.start(); return 1; } @Override public void onDestroy() { player.stop(); player.release(); } } </code></pre> <p>And the <code>Service</code> is started in my <code>MainActivity</code> like so:</p> <pre><code>BackgroundSoundService backgroundSoundService = new Intent(this, BackgroundSoundService.class); </code></pre> <p>I want the <code>Service</code> to continue to run whilst the app is open, although to stop when the app is minimised or destroyed. I thought the initial solution to this would be to override <code>onPause</code> and <code>onDestroy</code>, and implement this line:</p> <pre><code>stopService(backgroundSoundService); </code></pre> <p>However when I then switch to another <code>Activity</code>, <code>onPause</code> is then triggered and the <code>Service</code> stops. How can I ensure that the <code>Service</code> continues to run as long as the application is open in the foreground but stops when the app is minimised or closed?</p> |
2,712,107 | 0 | <p>This article is a guide to building a .net component ,using it in a Vb6 project at runtime using late binding, attaching it's events and get a callback.</p> <p><a href="http://www.codeproject.com/KB/cs/csapivb6callback2.aspx" rel="nofollow noreferrer">http://www.codeproject.com/KB/cs/csapivb6callback2.aspx</a></p> |
24,403,570 | 0 | Restricting user access in asp.net <p>I am working on asp.net application. I want only logged in users to access the Game page. When the users log in, the id and pass are authenticated from the SQL then they are logged in. and I want the logged in users to have an access to Games.aspx.</p> <p>Here is the login code,</p> <pre><code> public partial class Login : System.Web.UI.Page { //"Data Source=MUNIZA\\SQLEXPRESS;Initial Catalog=LD_Server;Integrated Security=True"; protected void Page_Load(object sender, EventArgs e) { lbInfo.Enabled = false; } public bool IsAuthenticated { get { return Convert.ToBoolean(Session["sIsAuthenticated"] ?? false); } set { Session["sIsAuthenticated"] = value; } } protected void Button1_Click(object sender, EventArgs e) { string strcon = "Data Source=MUNIZA\\SQLEXPRESS;Initial Catalog=LD_Server;Integrated Security=True"; SqlConnection con = new SqlConnection(strcon); SqlCommand com = new SqlCommand("spStudentProfile", con); com.CommandType = CommandType.StoredProcedure; SqlParameter p1 = new SqlParameter("RegNo", TextBox2.Text); SqlParameter p2 = new SqlParameter("Password", TextBox1.Text); com.Parameters.Add(p1); com.Parameters.Add(p2); con.Open(); SqlDataReader rd = com.ExecuteReader(); if (rd.HasRows) { IsAuthenticated = true; rd.Read(); Response.Redirect("~/Games.aspx"); } else { IsAuthenticated = false; lbInfo.Enabled = true; lbInfo.Text = "Invalid username or password."; } } </code></pre> <p>It is the login code on every page, </p> <pre><code> <% string url = "~/Login.aspx", text = "Log in"; if (Convert.ToBoolean(Session["sIsAuthenticated"] ?? false)) { url = "~/Home.aspx"; text = "Log out"; } %> <a href="<%: ResolveUrl(url) %>"><%: text %></a> </div> </code></pre> |
17,149,680 | 0 | how to change view in ios tabbed application without changing tab and maintaining tab bar visible <p>i have an iphone project that is a tabbed application. In the first tab I have a login form and I want that the user data returned by the login funcion to be shown in another view that takes the place of the view that contains the login form, without changing tab, and without taking all window's space because I don't want the tab bar to be hidden. How can I do this (without storyboard)?</p> <pre><code>CMAnagrViewController *reg = [[CMAnagrViewController alloc] initWithNibName:@"CMAnagrViewController" bundle:nil]; UIWindow *topWindow = [[[UIApplication sharedApplication].windows sortedArrayUsingComparator:^NSComparisonResult(UIWindow *win1, UIWindow *win2) { return win1.windowLevel - win2.windowLevel; }] lastObject]; //topWindow.rootViewController = reg; [topWindow addSubview:reg.view]; </code></pre> <p>if I do like this the view is too high and part of the navigation bar goes under the status bar and part of the tab bar is out of the screen, but if i uncomment the </p> <pre><code>//topWindow.rootViewController = reg; </code></pre> <p>line then the new window goes full screen and i see all the navigation bar under the status bar but there's no tab bar..</p> <p>Thank you all!</p> |
11,065,068 | 0 | <p>You take the individual values (Mon, Day, Year), combine them in to a single date, and then store that. For display you do the reverse, you take the date, break it down in to the individual values, and then update each drop down appropriately.</p> <p>Make sure you validate the date before storing it so you don't end up trying to store "Feb 30, 2012".</p> |
8,203,582 | 0 | <p>If you want to self host then:</p> <ul> <li><a href="http://code.google.com/p/pywebsocket/" rel="nofollow">pywebsocket</a> - Python</li> <li><a href="http://jwebsocket.org/" rel="nofollow">jwebsocket</a> - Java</li> <li><a href="http://wiki.eclipse.org/Jetty/Feature/WebSockets" rel="nofollow">jetty with WebSockets</a> - Java</li> </ul> <p>You could connect to the Pusher hosted WebSocket API to see if you can connect. More information on the endpoints and Pusher protocol here: <a href="http://pusher.com/docs/pusher_protocol" rel="nofollow">http://pusher.com/docs/pusher_protocol</a></p> <p>You would need to sign up for a free Pusher sandbox account to do this though.</p> |
31,820,679 | 0 | Lua script for redis transaction <blockquote> <p>Is there a way to use MULTI & EXEC command in lua? If not how to perform >transaction using lua script</p> </blockquote> |
34,907,698 | 0 | <p>The problem is that you try to call an instance function without having an actual instance at hand.</p> <p>You either have to create an instance and call the method on that instance:</p> <pre><code>let instance = APISFAuthentication(...) instance. sfAuthenticateUser(...) </code></pre> <p>or define the function as a class function:</p> <pre><code>class func sfAuthenticateUser(userEmail: String) -> Bool { ... } </code></pre> <p><strong>Explanation:</strong></p> <p>What Xcode offers you and what confuses you is the class offers the capability to get a reference to some of its instance functions by passing an instance to it:</p> <pre><code>class ABC { func bla() -> String { return "" } } let instance = ABC() let k = ABC.bla(instance) // k is of type () -> String </code></pre> <p><code>k</code> now <em>is</em> the function <code>bla</code>. You can now call <code>k</code> via <code>k()</code> etc.</p> |
27,281,621 | 0 | <p>First, don't use action bar tabs because they are deprecated (find an alternative <a href="http://stackoverflow.com/questions/24473213/action-bar-navigation-modes-are-deprecated-in-android-l">Action bar navigation modes are deprecated in Android L</a>).</p> <p>Second, optimize fragments that are contained in ViewPager.</p> <p>Third, optimize everything else (like navigation drawer listview)</p> |
17,448,181 | 0 | MySQL - Get next closest day between two days <p>We have two dates in database:</p> <ol> <li>2013-08-01</li> <li>2013-08-03</li> </ol> <p>Let say that today's date is 2013-08-02 and we want to get next closest date from database. I've found this query, but it's not getting the next day but previous:</p> <pre><code>SELECT * FROM your_table ORDER BY ABS(DATEDIFF(NOW(), `date`)) LIMIT 1 </code></pre> <p>When we run it, we get 2013-08-01 and not 2013-08-03 as we want. What would be the solution?</p> |
24,174,312 | 0 | <p>You can just use moment.js, and this is all in <a href="http://momentjs.com/docs" rel="nofollow">the documentation</a>.</p> <pre><code>moment('6/29/2014 8:30am','M/D/YYYY h:mma').toISOString() </code></pre> <p>This assumes all of the following:</p> <ul> <li><p>The source value is in the user's time zone (that is - the time zone of the machine where the JavaScript code is running)</p></li> <li><p>The input will always be in the specified format</p></li> </ul> <p>It's also worth mentioning that if you put a space before the "am", that most modern browsers can do this natively without any library:</p> <pre><code>new Date('6/29/2014 8:30 am').toISOString() </code></pre> <p>If you take that approach, realize that the date parts are ordered according to the users locale, which might be m/d/y, or d/m/y or y/m/d.</p> <p>Also, you said in the title "... with no milliseconds", but didn't elaborate on that in your question. I'm fairly certain you can pass the milliseconds without issue. There's no good reason to go out of your way to remove them. But if you must, then that would be like this with moment:</p> <pre><code>moment('6/29/2014 8:30am','M/D/YYYY h:mma').utc().format('YYYY-MM-DD[T]HH:mm:ss[Z]') </code></pre> |
27,403,399 | 0 | <p>I have not found any way to do it with SQL, so I found this solution:</p> <pre><code>$posts = Posts::all(); foreach ( $posts as $key => $post ) if ( strtotime($post->created_at . '+5 days') < time() ) unset( $posts[$key] ); </code></pre> <p>What I do here is that I iterate through the entire array of objects. As soon as I found a record that does not fit my time limits, I delete it from the array.</p> |
32,090,590 | 0 | Bootstrap Select plugin: deselect issue <p>I am using Bootstrap framework with the <a href="http://silviomoreto.github.io/bootstrap-select/" rel="nofollow">Bootstrap Select</a> plugin.</p> <p>This is a regular select tag, not multiple, here is the code I used:</p> <pre><code><select class="selectpicker show-tick" name="main_course_select" id="main_course_select" title="main" data-style="btn-primary" data-width="100%"> <?php echo get_food($mysqli,'main'); ?> </select> </code></pre> <p>Where <code>get_food()</code> function simply prints <code><option></code> tags with values from the MySQLi database.</p> <p>When I first click an <code>option</code> I can see it is ticked just fine, when I click the same option again I want the option to be deselected, why is this not a default feature is beyond me and I don't like to use multiple select to achieve this. Anyone have any idea on how to get this done?</p> <p>Here is the problem reproduced:</p> <p><div class="snippet" data-lang="js" data-hide="false"> <div class="snippet-code"> <pre class="snippet-code-js lang-js prettyprint-override"><code>$(document).ready(function() { $('.selectpicker').selectpicker(); });</code></pre> <pre class="snippet-code-html lang-html prettyprint-override"><code><script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.5/js/bootstrap.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/bootstrap-select/1.7.3/js/bootstrap-select.js"></script> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.5/css/bootstrap.css"> <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/bootstrap-select/1.7.3/css/bootstrap-select.css"> <select class="selectpicker show-tick" name="main_course_select" id="main_course_select" title="main" data-style="btn-primary" data-width="100%"> <option value="1">1</option> <option value="2">2</option> </select></code></pre> </div> </div> </p> |
17,111,434 | 0 | <p>Add an <code>event</code> parameter to your handler function, and then use <code>event.target</code> to get the <code><a></code> element that was clicked. From there you can go up to the parent <code><div></code> and back down to the <code><span></code>.</p> <pre><code>$('#resultats_son').click(function(event){ var spanId = $(event.target).parent('div').children('span').attr('id'); $('#resultats_son_div').hide(); $('#player_son_div').show(); $('#player_son').html("<iframe ...></iframe>").show(); //Show second div on click event return false; }); </code></pre> |
30,152,776 | 0 | <p>A <a href="https://marc-stevens.nl/research/sha1freestart/">76-round collision</a> was found by <a href="https://marc-stevens.nl/research/">Marc Stevens</a>.</p> <p>Cryptographer Jean-Philippe Aumasson, co-creator of <a href="https://en.wikipedia.org/wiki/BLAKE_%28hash_function%29">BLAKE</a> and <a href="https://en.wikipedia.org/wiki/SipHash">SipHash</a> and initiator of the <a href="https://en.wikipedia.org/wiki/Password_Hashing_Competition">Password Hashing Competition (PHC)</a>, guesses an SHA1 collision on the full 80 rounds <a href="https://twitter.com/veorq/status/594072335205978112">will have been found by 2020</a>.</p> <p>According to <a href="https://sites.google.com/site/itstheshappening/">ongoing research by Marc Stevens et al. published in October 2015</a>,</p> <blockquote> <p>... we estimate the SHA-1 collision cost <strong>today</strong> (i.e., Fall 2015) between <strong>75K$ and 120K$</strong> renting Amazon EC2 cloud computing over a few months. By contrast, security expert Bruce Schneier previously projected the SHA-1 collision cost to be ~173K$ by 2018.</p> </blockquote> <p>They also describe a collision attack for SHA1's compression function.</p> |
13,680,508 | 0 | Image is not in one line with other components <p>I know that alignment is sometimes complicated in html. But here is something puzzled for me. I have div with text,button and image with no other options.</p> <pre><code><div class="div-filter"> <input type="text" value="Hladaj"/> <input type="submit" value="Hladaj"/> <img alt="image" id = "ShowOrHideImage" /> </code></pre> <p> </p> <p><img src="https://i.stack.imgur.com/z8VoC.png" alt="enter image description here"></p> <p>Why is image is cca 5px higher? Without image there is no padding over text and button. When I put there image..... </p> <p>To be clear:</p> <pre><code><style> .div-filter { background-color:rgb(235, 235, 98); width:100%; border-bottom-width: 1px; border-top-width: 1px; border-left-width: 1px; border-right-width: 1px; border-bottom-color: black; border-top-color: black; border-left-color: black; border-right-color: black; border-bottom-style: solid; border-top-style: solid; border-left-style: solid; border-right-style: solid; } </code></pre> <p></p> <p>I can resolve it with table and tableRow but it is not good for me.</p> |
13,057,842 | 0 | <p>You question isn't clear. Frequency has nothing to do with getting signal strength. Signal strength is calculated by the WiFi client upon receiving of frame. If you want to get every channel signal strength, you need to do WiFi scanning. Scanning is defined in 802.11 (WiFi) protocol and is done every n time units without user intervention. </p> |
7,068,186 | 0 | <p>You can write your "label" without "for" like this :</p> <pre><code><p><label>Text 1 : <input type="text" name="text[]" /></label></p> <p><label>Text 2 : <input type="text" name="text[]" /></label></p> <p><label>Text 3 : <input type="text" name="text[]" /></label></p> </code></pre> |
19,968,773 | 0 | <p>I'd take a screenshot, then make a histogram of the image to find the most common colour.</p> <p>Refinements:</p> <ul> <li>First go through and replace all text content with "& nbsp;"</li> <li>Give extra weight to the pixels closest to the edge of the screen.</li> </ul> <p>(To automate entirely within PhantomJS, you might be able to use something like <a href="http://html2canvas.hertzen.com/" rel="nofollow">http://html2canvas.hertzen.com/</a> to use a canvas, and never need to make an external image file.)</p> |
19,586,142 | 0 | <p>It means that the external process [server] has a codeset that that version of JacORB does not support or cannot negotiate with. If you dump out the IOR of the server, or use wireshark you should be able to see what it is.</p> |
18,733,408 | 0 | Cannot find symbol : constructor <p>When I compile I am getting the error: cannot find symbol symbol : constructor Team()</p> <pre><code>public class Team { public String name; public String location; public double offense; public double defense; public Team(String name, String location) { } public static void main(String[] args) { System.out.println("Enter name and location for home team"); Scanner tn = new Scanner(System.in); Team team = new Team(); team.name = tn.nextLine(); Scanner tl = new Scanner(System.in); team.location = tl.nextLine(); } } </code></pre> <p>Any ideas how to fix? many thanks Miles</p> |
27,397,145 | 0 | <p>alternative is to change the order of timestamp column </p> <p>OR </p> <p>set first column DEFAULT value like this</p> <pre><code>ALTER TABLE `tblname` CHANGE `first_timestamp_column` `first_timestamp_column` TIMESTAMP NOT NULL DEFAULT 0; </code></pre> <p><a href="http://jasonbos.co/two-timestamp-columns-in-mysql/" rel="nofollow"><code>Reference</code></a></p> |
33,656,112 | 1 | decode JSON in python <p>I am having a problem I can't quite seem to find the solution to. I have an application that speaks with a Java app via JSON. Pretty simple, but I'm having an issue decoding JSON off the wire with nested objects. For example I have:</p> <pre><code>class obj1(object): def __init__(self, var1, var2): self.var1 = var1 self.var2 = var2 def __eq__(self, other): return (isinstance(other, obj1) and self.var1 == obj1.var1 and self.var2 == obj2.var2) class obj2(object): def __init__(self, v1, v2, obj1): self.v1 = v1 self.v2 = v2 self.obj1 = obj1 </code></pre> <p>and I want to serialize and de-serialize the "obj2" class, I can create it pretty easily:</p> <pre><code>myObj1 = obj1(1,2) myObj2 = obj2(3.14, 10.05, myObj1) </code></pre> <p>when I want to send it Json, it's obviously pretty easy:</p> <pre><code>import json def obj_to_dict(obj): return obj.__dict__ my_json = json.dumps(myObj2, default=obj_to_dict) </code></pre> <p>this creates the perfect JSON as I would expect:</p> <pre><code>{"obj1": {"var1": 1, "var2": 2}, "v1": 3.14, "v2": 10.05} </code></pre> <p>the problem I am having is encoding this string back into the two objects. I can't add any extra type information because the application that sends this schema back sends it back in exactly this way. so when I try and rebuild it from the dictionary:</p> <pre><code>obj_dict = json.loads(my_json) myNewObj = obj2(**obj_dict) </code></pre> <p>it doesn't quite work</p> <pre><code>print myNewObj.obj1 == obj1 #returns False. </code></pre> <p>Is there some better way to get from JSON -> Custom objects? (In reality I have like 20 custom objects nested inside another Object. the Object -> JSON works perfectly, its just going the other direction. Any thoughts?</p> |
28,811,035 | 0 | Matlab string to double (str2double) <p>I am trying to build a finantial application that handle economical data using Matlab. The file I want to load is in a csv file and are double numbers in this format '1222.3'. So far, I am just working with one dimension and I am able to load the data into a vector.</p> <p>The problem is that the data is loaded into the vector in String format. To change all the vector into double format I use str2double(vector), but the numbers into the vector end like this:</p> <p>1222.3 -> 1.222 <br> 153.4 -> 0.1534</p> <p>I have tried to multiply the vector per 100 (vector.*100), but did not work.</p> <p>Any idea?</p> |
34,708,148 | 0 | <h2>Middleware recommendation</h2> <p>The answer by @miro is very good but can be improved as in the following middleware in a separate file (as @ebohlman suggests).</p> <h3>The middleware</h3> <pre><code>module.exports = { configure: function(app, i18n, config) { app.locals.i18n = config; i18n.configure(config); }, init: function(req, res, next) { var rxLocale = /^\/(\w\w)/i; if (rxLocale.test(req.url)){ var locale = rxLocale.exec(req.url)[1]; if (req.app.locals.i18n.locales.indexOf(locale) >= 0) req.setLocale(locale); } //else // no need to set the already default next(); }, url: function(app, url) { var locales = app.locals.i18n.locales; var urls = []; for (var i = 0; i < locales.length; i++) urls[i] = '/' + locales[i] + url; urls[i] = url; return urls; } }; </code></pre> <p>Also in sample project in <a href="https://github.com/Wtower/express-experiment/blob/master/services/i18n_urls.js" rel="nofollow">github</a>.</p> <h3>Explanation</h3> <p>The middleware has three functions. The first is a small helper that configures <code>i18n-node</code> and also saves the settings in <code>app.locals</code> (haven't figured out how to access the settings from <code>i18n-node</code> itself).</p> <p>The main one is the second, which takes the locale from the url and sets it in the request object.</p> <p>The last one is a helper which, for a given url, returns an array with all possible locales. Eg calling it with <code>'/about'</code> we would get <code>['/en/about', ..., '/about']</code>.</p> <h3>How to use</h3> <p>In <code>app.js</code>:</p> <pre><code>// include var i18n = require('i18n'); var services = require('./services'); // configure services.i18nUrls.configure(app, i18n, { locales: ['el', 'en'], defaultLocale: 'el' }); // add middleware after static app.use(services.i18nUrls.init); // router app.use(services.i18nUrls.url(app, '/'), routes); </code></pre> <p><a href="https://github.com/Wtower/express-experiment/blob/master/app.js" rel="nofollow">Github link</a></p> <p>The locale can be accessed from eg any controller with <code>i18n-node</code>'s <code>req.getLocale()</code>.</p> <h3>RFC</h3> <p>What @josh3736 recommends is surely compliant with RFC etc. Nevertheless, this is a quite common requirement for many i18n web sites and apps, and even Google respects same resources localised and served under different urls (can verify this in webmaster tools). What I would recommended though is to have the same alias after the lang code, eg <code>/en/home</code>, <code>/de/home</code> etc.</p> |
32,526,261 | 0 | how to get outer class name from inner enum <p>basicly what i want to do is written in code. so , is there a way with templates or with something else get outer class name in global function ? is there a way to get this code work?</p> <pre><code>#include <iostream> class A { public: enum class B { val1, val2 }; typedef B InnerEnum; static void f(InnerEnum val) { std::cout << static_cast<int>(val); } }; template <typename T1> void f(typename T1::InnerEnum val) { T1::f(val); } int main() { A::InnerEnum v = A::InnerEnum::val1; f(v); return 0; } </code></pre> |
41,027,857 | 0 | <p>It may be only because the comparison operand is >= and not => but i can't try any further, sorry. </p> |
7,254,014 | 0 | <p>A <code>ListActivity</code> needs a <code>ListView</code> with the ID <code>android.R.id.list</code>. As you create your activity, everything is fine because you're not specifying a content view of your own, and so a default content view containing just a list is being used.</p> <p>Now, in your <code>setContentView</code> call, what your code is really saying is "Now I want the entire screen to be a big webview." In doing this, you're violating the <code>ListActivity</code> requirement of always having a <code>ListView</code>.</p> <p>You <em>could</em> create a layout file that contains a <code>WebView</code> <em>and</em> a <code>ListView</code> with the ID <code>android.R.id.list</code>, and use onclick to toggle their visibility, and perhaps listen to the hardware back button to toggle back. But I think it would be a neater approach to simply have the click listener launch a new activity, containing only the <code>WebView</code>:</p> <pre><code>lv.setOnItemClickListener(new OnItemClickListener() { public void onItemClick(AdapterView<?> parent, View view, int position, long id) { // When clicked, show a toast with the TextView text String s = ReadXML.hadashotListItems.get(position).link; Intent intent = new Intent(NewsActivity.this, WebActivity.class); intent.putExtra("url", s); startActivity(intent); } } </code></pre> <p>You could then let your new <code>WebActivity</code> class set <code>R.layout.webview</code> as its content view. Pressing the hardware back button will automatically finish that activity, and bring you back to the list, where you were.</p> |
28,754,534 | 0 | <p>The abstract operation that converts to a boolean is called <a href="http://www.ecma-international.org/ecma-262/5.1/#sec-9.2" rel="nofollow"><code>ToBoolean</code></a>:</p> <ul> <li>Undefined: <code>false</code></li> <li>Null: <code>false</code></li> <li>Boolean: The result equals the input argument (no conversion).</li> <li>Number: The result is <code>false</code> if the argument is <code>+0</code>, <code>−0</code>, or <code>NaN</code>; otherwise the result is <code>true</code>.</li> <li>String: The result is <code>false</code> if the argument is the empty String (its length is zero); otherwise the result is <code>true</code>.</li> <li>Object: <code>true</code>.</li> </ul> <p>However, this operation is internal and not available.</p> <p>But there are some workaround to use it:</p> <ul> <li><p><a href="http://www.ecma-international.org/ecma-262/5.1/#sec-11.4.9" rel="nofollow">Logical NOT Operator ( ! )</a></p> <pre><code>!!variable; </code></pre></li> <li><p><a href="http://www.ecma-international.org/ecma-262/5.1/#sec-11.12" rel="nofollow">Conditional Operator ( ? : )</a></p> <pre><code>variable ? true : false; </code></pre></li> <li><p><a href="http://www.ecma-international.org/ecma-262/5.1/#sec-15.6.1.1" rel="nofollow">Boolean</a></p> <pre><code>Boolean(variable) </code></pre></li> </ul> |
35,927,127 | 0 | <p>They are very similar but have some nuances to them. For example, AWS does not allow all traffic within the VNET by default, whereas Azure NSGs allow all traffic between VMs in the VNET. Unfortunately, I don't have a guide for translating from one to the other. The best reference for Azure NSGs: <a href="https://azure.microsoft.com/en-us/documentation/articles/virtual-networks-nsg/" rel="nofollow">https://azure.microsoft.com/en-us/documentation/articles/virtual-networks-nsg/</a>. This documents those default inbound and outbound rules, too. </p> |
36,255,847 | 0 | <p>You need to use something like Rollup, Webpack, or Browserify. This statement <code>import FormComponent from './FormComponent.js';</code> doesn't mean anything on the client. No browser natively supports it so you need something like the tools mentioned above to turn it into something the browser can actually use. </p> <p>Without them you just have to load the files in your index.html. </p> |
Subsets and Splits