pid
int64 2.28k
41.1M
| label
int64 0
1
| text
stringlengths 1
28.3k
|
---|---|---|
30,256,865 | 0 | <p>Unfortunately it is something related with a bad design of the class <code>InputStream</code>. If you use <a href="https://docs.oracle.com/javase/7/docs/api/java/io/InputStream.html#read()" rel="nofollow">read()</a> you will have that problem. You should use <a href="https://docs.oracle.com/javase/7/docs/api/java/io/InputStream.html#read(byte[])" rel="nofollow">read(byte[])</a> instead. But as you say, you could also use <code>Int</code>. That is up to you.</p> |
33,008,910 | 0 | Exclude some fields from being validated in $valid in AngularJS <p>I have two select boxes in which a user can move items from select box to another. Say I have <strong>SelectBox1</strong> and <strong>SelectBox2</strong>. I move all the available options from SelectBox1 to SelectBox2. Now while submitting the form I am checking whether the form is valid or not. But when I move all the options from SelectBox1 to SelectBox2, it sets the <strong>$valid</strong> flag to false, which prevents me from moving forward. Is there a way to exclude selectBox1 from being validated by <strong>$valid</strong> in angularJS?</p> <pre><code><select multiple="multiple" id="selectBox1" class="form-control" ng-model="available" ng-options="role as role.Name for role in availableRoles"> </select> <select multiple="multiple" id="selectBox2" class="form-control" required onchange="GetFunctionWisePrivileges()" ng-model="selected" ng-options="role as role.Name for role in selectedRoles"></select> </code></pre> <p>Also note that SelectBox1 is not required while SelectBox2 is required.</p> |
16,780,639 | 0 | Using assisted injection create a complex dependency tree <p>I have recently learned about the <em>AssistedInject</em> extension to Guice and I thought it would be a nice solution to some design issues that I have. Unfortunately it seems that this solution is limited to just a one level assisted injection. Here comes an illustration of my problem - let's say we have three classes:</p> <pre><code>public class AImpl implements A{ @AssistedInject public AImpl(@Assisted Integer number, B b){ } } public class BImpl implements B { } public class CImpl implements C { @AssistedInject public CImpl(A a){ } } </code></pre> <p>a factory interface:</p> <pre><code>public interface CFactory { C create(Integer number); } </code></pre> <p>and a module:</p> <pre><code>public class ABCModule extends AbstractModule { @Override protected void configure() { bind(A.class).to(AImpl.class); bind(B.class).to(BImpl.class); install(new FactoryModuleBuilder().implement(C.class, CImpl.class).build(CFactory.class)); } public static void main(String[] args) { Guice.createInjector(new ABCModule()).getInstance(CFactory.class).create(123); } } </code></pre> <p>Above fails with following stacktrace:</p> <blockquote> <p>Exception in thread "main" com.google.inject.CreationException: Guice creation errors:</p> <p>1) Could not find a suitable constructor in stack.AImpl. Classes must have either one (and only one) constructor annotated with @Inject or a zero-argument constructor that is not private. at stack.AImpl.class(AImpl.java:12) at stack.ABCModule.configure(ABCModule.java:14)</p> <p>2) stack.CImpl has @AssistedInject constructors, but none of them match the parameters in method stack.CFactory.create(). Unable to create AssistedInject factory. while locating stack.CImpl while locating stack.C at stack.CFactory.create(CFactory.java:1)</p> <p>2 errors at com.google.inject.internal.Errors.throwCreationExceptionIfErrorsExist(Errors.java:435) at com.google.inject.internal.InternalInjectorCreator.initializeStatically(InternalInjectorCreator.java:154) at com.google.inject.internal.InternalInjectorCreator.build(InternalInjectorCreator.java:106) at com.google.inject.Guice.createInjector(Guice.java:95) at com.google.inject.Guice.createInjector(Guice.java:72) at com.google.inject.Guice.createInjector(Guice.java:62) at stack.ABCModule.main(ABCModule.java:21)</p> </blockquote> <p>This obviously means that I want too much from the extension - I hoped that the injector will search deep down in the dependecy tree searching for the @Assisted dependency. Is there any way to do this kind of assisted injection or do I need to implement my factory by myself?</p> |
23,234,037 | 0 | how do I use new App ID & secret ID without affect the existing access token <p>First, I have use Facebook App ID & Secret ID, then Login with Facebook and get Access token,</p> <p>I have changed the my Facebook App ID & Secret ID, but, affect the existing user Access token.</p> <p>How do I get new Application Access token without Login with Facebook?</p> |
1,666,351 | 0 | <p>You can easily invoke log4j's API programmatically, e.g.</p> <pre><code>FileAppender appender = new FileAppender(); // configure the appender here, with file location, etc appender.activateOptions(); Logger logger = getRootLogger(); logger.addAppender(appender); </code></pre> <p>The <code>logger</code> can be the root logger as in this example, or any logger down the tree. Your unit test can add its custom appender during steup, and remove the appender (using <code>removeAppender()</code>) during teardown.</p> |
35,844,570 | 0 | <p>Seems there are mixed tabs and whitespaces in your file. If you only want to replace whitespace, say so.</p> <pre><code>:7,10s/^ \{4}//g </code></pre> |
12,980,067 | 0 | <p>Yes, the problem is that D can be reached over two paths and freed twice.</p> <p>You can do it in 2 phases: Phase 1: Insert the nodes you reached into a "set" datastructure. Phase 2: free the nodes in the "set" datastructure.</p> <p>A possible implementation of that set datastructure, which requires extending your datastructure: Mark all nodes in the datastructure with a boolean flag, so you don't insert them twice. Use another "next"-pointer for a second linked list of all the nodes. A simple one.</p> <p>Another implementation, without extending your datastructure: SOmething like C++ std::set<></p> <p>Another problem: Are you sure that all nodes can be reached, when you start from A? To avoid this problem, insert all nodes into the "set" datastructure at creation time (you won't need the marking, then).</p> |
36,359,833 | 0 | <p>Where the output should be <code>0c</code>, your code only outputs the <code>c</code> part. This is because <code>printf</code> by default prints the result with the minimum number of characters possible. In this case, you should tell <code>printf</code> that the proper result always contains two hexadecimal digits by giving it a width, and by specifying that a zero should be placed in the most-significant nibble if the input is less than <code>0x10</code>:</p> <pre><code>printf("%02x", output[i]); </code></pre> |
39,309,883 | 0 | <pre><code>printf("Address of text[0]: %p\n", text[0]); </code></pre> <p>prints the address of C string (the address first element of array points to), while:</p> <pre><code>printf("Address of text : %p\n", text); </code></pre> <p>prints the address of array's first element.</p> |
30,407,326 | 0 | <p>When the <code>JUnitXmlTestsListener</code> saves an XML element with <code>XML.save</code> the default encoding that is used is <code>ISO-8859-1</code>. It should use <code>UTF-8</code> instead.</p> <p>You can try to remove the <code>JUnitXmlTestsListener</code> from your build and <a href="https://etorreborre.github.io/specs2/guide/SPECS2-3.6/org.specs2.guide.JUnitXmlOutput.html" rel="nofollow">use specs2</a> to generate <code>junit-xml</code> reports:</p> <pre><code>libraryDependencies += "org.specs2" %% "specs2-junit" % "3.6" sbt> testOnly *MySpec -- console junitxml </code></pre> |
30,978,582 | 0 | <p>Just point to any <code>View</code> inside the <code>Activity's</code> XML. You can give an id to the root viewGroup, for example, and use:</p> <pre><code>@Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.main_activity); View parentLayout = findViewById(R.id.root_view); Snackbar.make(parentLayout, "This is main activity", Snackbar.LENGTH_LONG) .setAction("CLOSE", new View.OnClickListener() { @Override public void onClick(View view) { } }) .setActionTextColor(getResources().getColor(android.R.color.holo_red_light )) .show(); //Other stuff in OnCreate(); } </code></pre> |
13,749,077 | 0 | Peel away website effect with javascript only <p>I have seen corner screen peel away effects that use flash (swf files). Does anyone know of code that does this with Javascript/css alone?</p> <p>Thanks</p> |
18,838,055 | 0 | Embed HTML inside JSON request body in ServiceStack <p>I've been working with ServiceStack for a while now and recently a new need came up that requires receiving of some html templates inside a JSON request body. I'm obviously thinking about escaping this HTML and it seems to work but I would prefer consumers not to bother escaping a potentially large template. I know ASP.NET is capable of handling this but I wonder if it can be done with ServiceStack.</p> <p>The following JSON body is received incomplete at the REST endpoint because of the second double quote ...="test...</p> <pre><code>{ "template" : "<html><body><div name="test"></div></body></html>" } </code></pre> |
40,409,409 | 0 | Why isn't the copy constructor called twice in the following code? <p>The copy constructor is called when an object is returned from a function by value. Another case is when an object is initialized using another object. In the following code, why isn't the copy constructor called twice?</p> <pre><code>#include <iostream> using namespace std; class A { public: A() { } A(const A& copy) { cout << "Copy constr.\n"; } A func() { A a; return a; //it's called here } }; void main(void) { A b; A c = b.func(); //not called during initialization. Why? } </code></pre> |
26,228,240 | 0 | <p>You are aborting before the view is even being rendered, so that's the expected behavior.</p> <p>Your <code>CakeResponse::send()</code> call actually has no effect (apart from possible headers being sent), and the only reason this is not causing an error is because the body that is being echoed is empty at that time, otherwise you'd receive a "<em>headers already sent</em>" error when Cake outputs the rendered data.</p> <p>Personally I'd probably use exceptions instead of this manual sending/aborting stuff, something like</p> <pre><code>if(!$abc) { throw new ForbiddenException(); } // ... </code></pre> <p>or a simple <code>return</code></p> <pre><code>if(!$abc) { return $this->returnError(); } // ... </code></pre> <p>where <code>returnError()</code> returns <code>$this->response</code>. Both would make invoking <code>send()</code> and <code>_stop()</code> unnecessary. </p> <p>However, it's of course also possible to manually invoke view rendering </p> <pre><code>protected function returnError($data = null, $message = 'Error', $extraSerialize = array(), $statusCode = 400) { // ... $this->render(); $this->response->statusCode($statusCode); $this->response->send(); $this->_stop(); } </code></pre> <p>that way a proper body would be set for the response.</p> <p>See also</p> <ul> <li><strong><a href="http://book.cakephp.org/2.0/en/views/json-and-xml-views.html" rel="nofollow">http://book.cakephp.org/2.0/en/views/json-and-xml-views.html</a></strong></li> <li><strong><a href="http://book.cakephp.org/2.0/en/development/exceptions.html" rel="nofollow">http://book.cakephp.org/2.0/en/development/exceptions.html</a></strong></li> </ul> |
3,960,167 | 0 | <pre><code> ... HAVING hits > 10 </code></pre> |
13,749,049 | 0 | <p>You cannot schedule IO tasks because they do not have a thread associated with them. The Windows Kernel provides thread-less IO operations. Starting these IOs does not involve managed code and the <code>TaskScheduler</code> class does not come into play.</p> <p>So you have to delay starting the IO until you are sure you actually want the network to be hit. You could use <code>SemaphoreSlim.WaitAsync</code> to throttle the amount of tasks currently running. Await the result of that method before starting the individual IO and awaiting that as well.</p> |
33,395,830 | 0 | renderUI conditioned by a reactive value <p>Today I am trying to have a renderUI for which the form and the content depend on the value of a reactiveValues. I am working on a shinydashBoard</p> <p>At initial state, users will click on the button and the form of the renderUI will change. If users click one more time I would like that the renderUI takes the initial form again.</p> <p>Here is my code :</p> <pre><code>library(shiny) library(shinydashboard) sidebar <- dashboardSidebar( ) body <- dashboardBody( uiOutput("Text2Bis") )#dashboardBody header <- dashboardHeader( title = list(icon("star-half-o"),"element-R") #messages, #notifications, #tasks ) ui <- dashboardPage(header, sidebar, body) server <- function(input, output, session) { previewAction <- reactiveValues(temp = F) output$Text2Bis <- renderUI({ if(is.null(input$button)){ box(width = 12,background = NULL, height = 100, actionButton("button","delete") ) } else{ print(input$button) if((isolate(input$button %%2)) == 1){ print(input$button) box(width = 12,background = NULL, height = 100, actionButton("button","delete") ) } else{ print(input$button) box(width = 12,background = NULL, height = 300, actionButton("button","save") ) } } }) } shinyApp(ui, server) </code></pre> <p>I can't understand why my app is not working. It seems that the actionButton is still reinitialized ???</p> <p>Do you have an idea to solve this problem ?</p> <p>Thank you very much in advance !</p> <p>Cheers</p> <p>Cha</p> |
14,127,904 | 0 | WebService (WS) POST in Play 2.0 - Scala <p>When I try to pass a Map to a post, I get this error:</p> <blockquote> <p>Cannot write an instance of scala.collection.immutable.Map[java.lang.String,java.lang.String] to HTTP response. Try to define a Writeable[scala.collection.immutable.Map[java.lang.String,java.lang.String]]</p> </blockquote> <p>Here is my post example:</p> <pre><code>WS.url("http://mysql/endpoint") .post(Map("email" -> "[email protected]")).map { response => Logger.logger.debug("response: " + response.body) } </code></pre> <p>What is happening?</p> |
29,709,380 | 0 | <p>This denotes a JSON array of three objects:</p> <pre><code>[ { ... }, { ... }, { ... } ] </code></pre> <p>So you cannot deserialize this to a single object. It needs to be deserialized to an array/list by indicating the result should be a List:</p> <pre><code>List<Picture> pictures = JsonConvert.DeserializeObject<List<Picture>>(InputBox.Text); </code></pre> |
8,139,857 | 0 | <p>First of all, there really isn't any system.out to print to in android. What you should try instead is printing to the log. For information on how to print to the log, check <a href="http://developer.android.com/reference/android/util/Log.html" rel="nofollow">this</a> out. To then see the activity of the log (including messages you printed to it), checkout the <a href="http://developer.android.com/guide/developing/tools/logcat.html" rel="nofollow">logcat</a>.</p> <p>Second, for information on creating an alert dialog, please <a href="http://developer.android.com/guide/topics/ui/dialogs.html#AlertDialog" rel="nofollow">view this documentation</a>.</p> |
15,102,056 | 0 | <p>Whenever you scroll the window, reposition the #one element to always be on screen. Also, #one should be position: absolute.</p> <pre><code>$(window).scroll(function () { $("#one").css({ left: $(this).scrollLeft() }); }); </code></pre> <p>Here's your fiddle with the new code: <a href="http://jsfiddle.net/9AUbj/15/" rel="nofollow">http://jsfiddle.net/9AUbj/15/</a></p> |
26,895,188 | 0 | <p>Here's a workaround:</p> <p>Replace all the 0s in Z by NaN, calculate the min, then switch back to 0:</p> <pre><code>clear all clc close all Z(:,:,1) = [-5 0 5 0 0 0 1 0 3]; Z(:,:,2) = [1 0 2 0 0 0 0 0 0]; Z(:,:,3) = [0 0 0 -9 0 4 0 0 0]; Z(:,:,4) = [0 0 0 -2 0 0 0 0 0]; %// Assign NaN to 0 elements Z(Z ==0) = NaN; Zmin = min(Z,[],3); %// Switch back with 0 Zmin(isnan(Zmin)) = 0; %// Same for Z; Z(isnan(Z)) =0; </code></pre> <p>The output looks like this:</p> <pre><code>Zmin Z Zmin = -5 0 2 -9 0 4 1 0 3 Z(:,:,1) = -5 0 5 0 0 0 1 0 3 Z(:,:,2) = 1 0 2 0 0 0 0 0 0 Z(:,:,3) = 0 0 0 -9 0 4 0 0 0 Z(:,:,4) = 0 0 0 -2 0 0 0 0 0 </code></pre> |
25,868,130 | 0 | <p>You can access <code>$languages</code> in your template very easily.</p> <p>You would do something like this:</p> <pre><code><ul> {% for element in entity.languages %} <li>{{ element.name }}</li> {% endfor %} </ul> </code></pre> <p>I recommend reading the <a href="http://twig.sensiolabs.org/doc/tags/for.html" rel="nofollow">documentation about loops</a> in <strong>Twig</strong>.</p> |
4,377,515 | 0 | <p><code>\S</code> matches anything but a whitespace, according to <a href="http://www.javascriptkit.com/javatutors/redev2.shtml">this reference</a>.</p> |
10,366,505 | 0 | Rotate Texture2d using rotation matrix <p>I want to rotate 2d texture in cocos2d-x(opengl es) as i searched i should use rotation matrix as this : </p> <blockquote> <p>(x = cos(deg) * x - sin(deg) * y y = sin(deg) * x + cos(deg) * y)</p> </blockquote> <p>but when i want to implement this formula i fail may code is like(i want original x and y to be same ) : i updated my code to this but still not working!</p> <pre><code> GLfloat coordinates[] = { 0.0f, text->getMaxS(), text->getMaxS(),text->getMaxT(), 0.0f, 0.0f, text->getMaxS(),0.0f }; glMatrixMode(GL_MODELVIEW); glPushMatrix(); GLfloat vertices[] = { rect.origin.x, rect.origin.y, 1.0f, rect.origin.x + rect.size.width, rect.origin.y, 1.0f, rect.origin.x, rect.origin.y + rect.size.height, 1.0f, rect.origin.x + rect.size.width, rect.origin.y + rect.size.height, 1.0f }; glMultMatrixf(vertices); glTranslatef(p1.x, p1.y, 0.0f); glRotatef(a,0,0,1); glBindTexture(GL_TEXTURE_2D, text->getName()); glVertexPointer(3, GL_FLOAT, 0, vertices); glTexCoordPointer(2, GL_FLOAT, 0, coordinates); glColor4f( 0, 0, 250, 1); glDrawArrays(GL_TRIANGLE_STRIP, 0, 4); glRotatef(-a, 0.0f, 0.0f, -1.0f); glPopMatrix(); </code></pre> |
27,723,335 | 0 | <p>One of the things I like most about Javascript is the way you can access the properties of an object with <code>object.property</code> as well as <code>object["property"]</code>. In Ruby you can only access the value of a hash with <code>hash["value"]</code>.</p> <p>To answer your question, you will need to find a way of converting <code>list_key</code> and <code>name_key</code> so that it works in Ruby. The best way to do that depends on how you're handling the parsing of the JSON in the first place but I it should be as simple as splitting <code>list_key</code> and <code>name_key</code> up into an array of stings and then accessing those values on the hash.</p> <p>Hope that helps.</p> |
38,429,378 | 0 | <p>You can do something like this,</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>$(function() { function removeNode(str, nodeName) { var pattern = '<'+nodeName+'>[\\s\\w]+<\/'+nodeName+'>'; var regex = new RegExp(pattern, 'gi'); return str.replace(regex, '').replace(/^\s*[\r\n]/gm, ''); } $("#myBtn").on('click', function () { var txt = $("#txtArea").text(); var newText = removeNode(txt, 'PublisherImprintName'); $('#txtArea').text(newText); }); });</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> <textarea id="txtArea" rows="10" cols="50"> <PublisherInfo> <PublisherName>Ask question</PublisherName> <PublisherLocation>ph</PublisherLocation> <PublisherImprintName>ask stackoverflow</PublisherImprintName> <PublisherURL>stackoverflow.com</PublisherURL> </PublisherInfo> </textarea> <button id="myBtn">Button</button></code></pre> </div> </div> </p> <p><strong>Edit:</strong></p> <p>For your another question, you can do this..</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>$(function() { function removeNodeButRetain(str, nodeName) { var pattern = '<\/?'+nodeName+'>'; var regex = new RegExp(pattern, 'gi'); return str.replace(regex, '').replace(/^\s*[\r\n]/gm, ''); } $("#myBtn").on('click', function() { var txt = $("#txtArea").text(); var newText = removeNodeButRetain(txt, 'PublisherInfo'); $('#txtArea').text(newText); }); });</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> <textarea id="txtArea" rows="10" cols="50"> <PublisherInfo> <PublisherName>Ask question</PublisherName> <PublisherLocation>ph</PublisherLocation> <PublisherImprintName>ask stackoverflow</PublisherImprintName> <PublisherURL>stackoverflow.com</PublisherURL> </PublisherInfo> </textarea> <button id="myBtn">Button</button></code></pre> </div> </div> </p> |
6,943,171 | 0 | <p>You can get horizontal align for this image using for tag "a":</p> <pre><code>text-align: center; </code></pre> <p>But for to get vertical align unfortunately you need to set margin-top for this image with hands using known height of parent div (or, with the same result, padding-top for "a" tag). You can use some jquery plugins for it (just search something like "jquery vertical align plugin" in google, there are many plugins for it) or write your own script.</p> |
5,068,173 | 0 | <p>You can implement expected behaviour with biltin features of MSBuild 4:</p> <pre><code> <ItemGroup> <DeploymentProjects Include="1_deploy" /> <DeploymentProjects Include="2_deploy" /> </ItemGroup> <Target Name="CopyMidTierBuildOutput" > <Message Text="Copying midTier Build Output" Importance="High"/> <ItemGroup> <MidTierDeploys Include="$(DeploymentRoot)**\%(DeploymentProjects.Identity)\$(Configuration)\**\*.*"> <DeploymentProject>%(DeploymentProjects.Identity)</DeploymentProject> </MidTierDeploys> </ItemGroup> <Msbuild Targets="CopyDeploymentItem" Projects="$(MSBuildProjectFile)" Properties="ItemFullPath=%(MidTierDeploys.FullPath);ItemRecursiveDir=%(MidTierDeploys.RecursiveDir);ItemDeploymentProject=%(MidTierDeploys.DeploymentProject);Configuration=$(Configuration);DestFolder=$(DestFolder)" /> </Target> <Target Name="CopyDeploymentItem" > <PropertyGroup> <ItemExcludePath>$(ItemDeploymentProject)\$(Configuration)</ItemExcludePath> <ItemDestRecursiveDirIndex>$(ItemRecursiveDir.IndexOf($(ItemExcludePath))) </ItemDestRecursiveDirIndex> <ItemExcludePathLength>$(ItemExcludePath.Length)</ItemExcludePathLength> <ItemSkippingCount>$([MSBuild]::Add($(ItemDestRecursiveDirIndex), $(ItemExcludePathLength)))</ItemSkippingCount> <ItemDestRecursiveDir>$(ItemRecursiveDir.Substring($(ItemSkippingCount)))</ItemDestRecursiveDir> </PropertyGroup> <Copy SourceFiles="$(ItemFullPath)" DestinationFolder="$(DestFolder)/MidTier/$(ItemDeploymentProject)/$(ItemDestRecursiveDir)" ContinueOnError="false" /> </Target> </code></pre> <p>See <a href="http://msdn.microsoft.com/en-us/library/dd633440.aspx" rel="nofollow">Property functions</a> for more info.</p> |
27,125,961 | 0 | <p>HTML entities like <code>&amp;</code> are not a part of URI specification. As far as <a href="https://tools.ietf.org/html/rfc3986" rel="nofollow">RFC 3986</a> is concerned, <code>&</code> is a sub-delimiting character, therefore if a server receives a query string like this:</p> <pre><code>foo=1&amp;bar=2 </code></pre> <p>and parses it to the following key-value pairs:</p> <pre><code>'foo' => '1', 'amp;bar' => '2' </code></pre> <p>it is behaving correctly.</p> <p>To make things even more interesting, <code>;</code> is a reserved sub-delimiter, too, but: </p> <blockquote> <p>if a reserved character is found in a URI component and no delimiting role is known for that character, then it must be interpreted as representing the data octet corresponding to that character's encoding in US-ASCII.</p> </blockquote> |
24,545,143 | 0 | <p>Is the user supplied name important? </p> <p>If it is not, one technique i like to do to normalize file names in that case is to simply hash them with something like sha1 or even md5. Then add your timestamp, and ids or what not to that, this takes care of a lot of issues with special characters such as ".", "\" and "/" ( dot dot dash and directory traversal ) in the file names.</p> <p>@hwnd's regular expression should do the trick, but I though I would throw this out there.</p> <p>so with hashing you'd get cleaner ( but less meaningful ) names like this </p> <pre><code>da39a3ee5e6b4b0d3255bfef95601890afd80709.jpg </code></pre> <p>then you can add your unique numbers on</p> <pre><code>da39a3ee5e6b4b0d3255bfef95601890afd80709-1234568764564558.jpg </code></pre> <p>you could even salt the filename with the timestamp first and then hash them to get filenames all 40 characters long, and the chance of hash collisions is very minimal unless your dealing with 10's of thousands of files, in which case just up the hashing to sha256 etc.</p> |
37,154,863 | 1 | How to multiplex python coroutines( send and receive) in a websocket based chat client via an event loop <p>I am writing a console based chat server based on websockets and asyncio for learning both websockets and asyncio without using any other frameworks like Twisted, Tornado etc .. So far I have established the connection between client and server and am able to unicast and multicast messages between logged in users by writing send and receive in a single coroutine but this makes the clients block on either send or receive. So I tried by splitting up the send and receive coroutines but now after sending the first message to the server the client is unable to send any other message. </p> <p>Problems: </p> <ol> <li>I have two coroutines for receive and send respectively but I am not able to multiplex them to execute concurrently via the event loop. I managed to asynchronize the input from the stdin based on another article on stack overflow but I am still not able to run them concurrently so that send and receive can happen simultaneously.</li> <li>I am not sure if trying to make a connection with the websocket in both the coroutines is the correct way or not.</li> </ol> <p>Below is the code sample for the minimal client that i am using. What I have understood from asyncio till now is that when one of the coroutine is waiting over its "yield from", the other coroutine will get a chance to execute please point out if my understanding of the asyncio is correct or not:</p> <pre><code>import sys import asyncio import websockets qSend = asyncio.Queue() def got_stdin_data(qSend): asyncio.async(qSend.put(sys.stdin.readline())) def myClient_recv(): websocket = yield from websockets.connect('ws://localhost:8765/') while True: recvText = yield from websocket.recv() print(">>> {}".format(recvText)) def myClient_send(): websocket = yield from websockets.connect('ws://localhost:8765/') while True: sendText = yield from qSend.get() yield from websocket.send(sendText) loop = asyncio.get_event_loop() loop.add_reader(sys.stdin, got_stdin_data, qSend) asyncio.async(myClient_recv()) asyncio.async(myClient_send()) loop.run_forever() </code></pre> |
1,834,685 | 0 | <p>One thing I have noticed through the years is that people never improve their performance if you fix their mistakes. (Most of the time they won't even realize you changed it because something was wrong; they will think you are just a control freak who can't let anyone else's work stand unchanged.) Identify the problem and ask him to fix it. Do as many iterations of this as it takes. </p> <p>Make it clear that a question asked early is far better than a missed deadline because he didn't understand something. Don't get snippy and snappy when he asks a question either. If he thinks he is bothering you, he won't ask. </p> <p>Take some time at first when you give him a new task to sit down and discuss possible solutions. You can save a whole lot of time by directing his design process rather than waiting for a final result to check.</p> <p>Code review his stuff and have him code review yours. Seeing better code will help imporve his process. His questions when trying to understand your code will help you better understand his thought process. </p> |
20,061,640 | 0 | <p>classpath and path are the evironment variables . usually , you have to put the jdk/bin to path so that u could use java compiler everywhere , classpath is the path of your .class files . the classpath has a default path a period(.) which means the current directory. but when u used the packages . u would either specify the full path of the .class file or put the .class file path in the classpath which would save a lots of works ! </p> |
16,895,525 | 0 | Order of Files collection in FileSystemObject <p>In VBScript, I want to get a list of files in a folder ordered by creation date. I saw that in order to do that I will need to either use a record set (seems like an overkill to me) or sort the collection myself (I think I can avoid it and I want my code to be shorter).</p> <p>Since I am the one creating the files, I create them with names that begin with the date (yyyy_mm_dd) so I though that if I can get the files at least ordered by name then I'm all set. Unfortunately, the <a href="http://msdn.microsoft.com/en-us/library/18b41306%28v=vs.84%29.aspx" rel="nofollow">MSDN documentation of the Files collection from FileSystemObject</a> doesn't say anything about the order of the collection. Does anyone know of some other secret documentation or something like that that can be more specific?</p> |
35,653,053 | 0 | <p>Actually you can use <code>ToString()</code> , but it depends on your dll version.</p> <p>the correct approach is to use the <code>Month</code> property of the <code>Datetime</code></p> <p>Comparing two datetimes by month</p> <pre><code>Datetime1.Month == Datetime2.Month </code></pre> <p>or if your Datetime is a nullable</p> <pre><code>Datetime1.Value.Month == Datetime2.Value.Month </code></pre> <p>so a correct linq query would be for example</p> <pre><code>(from p in Source where p.DT.Value.Month == RequestedDatetime.Value.Month select p) </code></pre> <p>Hope it helps.</p> |
5,783,951 | 0 | <p><code>NBSP</code>. You had an invisible non-standard whitespace character before your require statement. That's the only reliable way to reproduce this error.</p> <pre><code>eval( chr(0xA0) . ' require_once(1); ' ); # that's nbsp // PHP Parse error: syntax error, unexpected T_REQUIRE_ONCE in </code></pre> <p><code>0xA0</code>/nbsp gets interpreted as bareword at that position. Basically the same as having a constant right in front of your statement:</p> <pre><code>ASCII require_once(123); </code></pre> |
36,195,918 | 0 | <p>Add one anwser, which i think is more clear:</p> <pre><code>var calculateLayout = function(a,b) { console.log('a is ' + a + ' and b is ' + b); } var debounceCalculate = _.debounce(function(a, b){ calculateLayout(a, b); }, 300); debounceCalculate(1, 2); </code></pre> |
30,797,701 | 0 | <p>I've got the same issue. The cause was I'm using the Spring Java Config for Spring Security using the DSL. Using the current Spring Security 4.0.1, the Configurer will create a SessionRegistry only on demand and (it looks like) not as a registered bean component.</p> <p>I have fixed this with an explicit definition of the SessionRegistry.</p> <pre><code> http .sessionManagement() .sessionCreationPolicy(SessionCreationPolicy.IF_REQUIRED) .sessionFixation() .migrateSession() .maximumSessions(10) .sessionRegistry(sessionRegistry()) // << this here! .and() .and() </code></pre> <p>and</p> <pre><code>@Bean public SessionRegistry sessionRegistry() { return new SessionRegistryImpl(); } </code></pre> <p>Unless Hazelcast's <code>WebFilter</code> is used, this is not required since Spring's <code>SessionManagementConfigurer</code> will ensure an instance of <code>SessionRegistry</code> will be created. But it cannot be find using the type <code>SessionRegistry</code>...</p> |
17,844,777 | 0 | <p>Your Preferences in XML, even if you set <code>android:inputType="number"</code> are still stored as a String</p> <p>You have 2 choices: </p> <p>1) the 'not-so-nice': <code>Integer.parseInt( preferences.getString("defaultTip", "15"));</code></p> <p>2) Using your own type of Integer Preference. More complicated to set in first place but really better (similar question here: <a href="http://stackoverflow.com/a/3755608/327402">http://stackoverflow.com/a/3755608/327402</a>)</p> |
29,766,573 | 0 | <p>For SDK 4.0 : </p> <p>U should add a button and in button action use the below code :</p> <pre><code>- (IBAction)loginButtonClicked:(id)sender { FBSDKLoginManager *login = [[FBSDKLoginManager alloc] init]; [login logInWithReadPermissions:@[@"email"] handler:^(FBSDKLoginManagerLoginResult *result, NSError *error) { if (error) { // Process error NSLog(@"error %@",error); } else if (result.isCancelled) { // Handle cancellations NSLog(@"Cancelled"); } else { if ([result.grantedPermissions containsObject:@"email"]) { // Do work NSLog(@"%@",result); NSLog(@"Correct"); } } }]; } </code></pre> <p><strong>Updated :</strong> To receive Users Information </p> <pre><code> - (IBAction)loginButtonClicked:(id)sender { FBSDKLoginManager *login = [[FBSDKLoginManager alloc] init]; [login logInWithReadPermissions:@[@"email"] handler:^(FBSDKLoginManagerLoginResult *result, NSError *error) { if (error) { // Process error NSLog(@"error %@",error); } else if (result.isCancelled) { // Handle cancellations NSLog(@"Cancelled"); } else { if ([result.grantedPermissions containsObject:@"email"]) { // Do work [self fetchUserInfo]; } } }]; } -(void)fetchUserInfo { if ([FBSDKAccessToken currentAccessToken]) { NSLog(@"Token is available"); [[[FBSDKGraphRequest alloc] initWithGraphPath:@"me" parameters:nil] startWithCompletionHandler:^(FBSDKGraphRequestConnection *connection, id result, NSError *error) { if (!error) { NSLog(@"Fetched User Information:%@", result); } else { NSLog(@"Error %@",error); } }]; } else { NSLog(@"User is not Logged in"); } } </code></pre> |
21,380,305 | 0 | Server Side Paging in Kendo Grid? <p>I want client side grid paging in Kendo Grid. In grid only first 50 or 100 data will be shown in first page. And when customer click next page, other 50 or 100 data will be shown. I don't want to get all data from my server. because there will be million data in database and customer doesn't want to wait service to get all data from server. when he/she click next page, other data should request from server. How can I do it?</p> <p>my controller</p> <pre><code>[HttpGet] public JsonResult Getdata() { var reports = db.ActivityLog.OrderBy(c => c.dateTime).ToList(); var collection = reports.Select(x => new { username = x.uName, location = x.locName, devices = x.devName }); return Json(collection, JsonRequestBehavior.AllowGet); } </code></pre> <p>my view function handleDataFromServer() {</p> <pre><code> $("#grid").data("kendoGrid").dataSource.read(); } window.setInterval("handleDataFromServer()", 10000); $(document).ready(function () { $("#grid").kendoGrid({ sortable: true, pageable: { input: true, numeric: false }, selectable: "multiple", dataSource: { transport: { read: "/Home/Getdata", type: "json" } }, columns: [ { field: "username", width: "80px" }, { field: "location", width: "80px" }, { field: "devices", width: "80px" }] }); }); </code></pre> |
33,272,926 | 0 | Determine if two unsorted arrays are identical? <p>Given two <strong>unsorted</strong> arrays <code>A</code> and <code>B</code> with distinct elements, determine if <code>A</code> and <code>B</code> can be rearranged so that they are identical. </p> <p>My strategy was as follows: </p> <ol> <li>First, use a deterministic selection algorithm of <strong>O(N)</strong> time to find the <strong>Max</strong> of <code>A</code> and <strong>Max</strong> of <code>B</code>, if they don't have the same <strong>Max</strong>, we can automatically declare that they are <strong>not</strong> identical, otherwise, move to step 2.</li> <li>Merge the two arrays together and create an array <code>C</code> of size <strong>2N</strong>.</li> <li>Use the <em>counting sort algorithm</em> by creating an array <code>D</code> of size <strong>Max(A)</strong> and scanning <code>C</code> and bumping the counters of the appropriate index in <code>D</code> <em>(we don't actually need to complete the counting sort algorithm, we just need this intermediate step)</em>.</li> <li>Scan the <code>D</code> array, if any <code>D[i] = 1</code>, we know that the arrays are not identical, otherwise they are identical.</li> </ol> <p><strong>Claim:</strong> Time Complexity O(N), and <strong>no</strong> constraints on space.</p> <p>Is this a correct algorithm ?</p> |
25,453,708 | 0 | <p>Each any() usage is converted into it's own subquery. If you need to combine multiple conditions you will need to write the subquery yourself.</p> <p>any() isn't a join alternative, but a subquery exists shortcut. Maybe that helps.</p> |
9,534,072 | 0 | <p>There is an example, if this is what you are looking for: <a href="http://www.dynamicdrive.com/dynamicindex8/window3.htm" rel="nofollow">Animated Window Opener Script</a></p> |
36,885,038 | 0 | <p>Just a quick shot here. Try this one, instead of existing statement</p> <pre><code><Modal ... onAfterOpen={() => this.context.executeAction(LoadUsersByDepartment, 8)} ... > </code></pre> <p>What your code does is:<br> when modal is opened, execute the result from <code>this.context.executeAction(LoadUsersByDepartment, 8)</code> call. </p> <p>Adjusted code executes your action (not it's result) when modal is opened.</p> |
2,517,791 | 0 | How can I get the GUID from a PDB file? <p>Does anyone know how to get the GUID from a PDB file?</p> <p>I'm using Microsoft's Debug Interface Access SDK </p> <p><a href="http://msdn.microsoft.com/en-us/library/f0756hat.aspx" rel="nofollow noreferrer">http://msdn.microsoft.com/en-us/library/f0756hat.aspx</a></p> <p>and getting E_PDB_INVALID_SIG when passing in the GUID i expect when trying to load the PDB.</p> <p>I'd just like to know the GUID of the PDB so I can be certain that it's mismatching and not just a PDB that's perhaps corrupted somehow.</p> <p>Is there a tool that can do this? I've tried dia2dump and dumpbin, but with no joy...</p> <p>Many thanks,</p> <p>thoughton.</p> |
16,897,503 | 0 | Increasing Limit of Attached Databases in SQLite from PDO <p>I'm working on a project that should benefit greatly from using one database file per each table, mostly because I'm trying to <a href="http://stackoverflow.com/a/811862/89771">avoid having the database grow too large</a> but also because of <a href="http://stackoverflow.com/a/1712873/89771">file locking issues</a>.</p> <p>I thought of using the <a href="http://www.sqlite.org/lang_attach.html" rel="nofollow"><code>ATTACH</code> statement</a> to have a "virtual" database with all my tables, but I just found out that while the upper limit of attached databases is 62 (which would be totally acceptable for me), the default limit of attached databases is in fact 10, from the <a href="http://www.sqlite.org/limits.html" rel="nofollow">SQLite limits page</a>:</p> <blockquote> <p><strong>Maximum Number Of Attached Databases</strong></p> <p>The ATTACH statement is an SQLite extension that allows two or more databases to be associated to the same database connection and to operate as if they were a single database. The number of simultaneously attached databases is limited to SQLITE_MAX_ATTACHED which is set to 10 by default. The code generator in SQLite uses bitmaps to keep track of attached databases. That means that the number of attached databases cannot be increased above 62.</p> </blockquote> <p>Since I will need to support more than 10 tables, my question is, how do I set the <code>SQLITE_MAX_ATTACHED</code> variable to a higher value from PHP (using PDO with SQLite 3)?</p> |
23,291,975 | 0 | d3 - Scaling @ Normalized Stacked Bar Chart <p>I want to code a reusable chart in d3 - a "normalized" stacked bar chart. The data are scaled from 0% -100% on the Y-axis - see: <a href="http://bl.ocks.org/mbostock/3886394" rel="nofollow">http://bl.ocks.org/mbostock/3886394</a> I have understood that I need to calculate the inverse value of the data, to scale from 0 (Y: lowest value 0%) to 1 (Y: highest value 100%). </p> <pre><code>var y = d3.scale.linear() .range([height, 0]); // no data domain dataSet = dataSet.map(function (d) { return d.map(function (p, i) { return { x: i, y: (1 / (p.Value / 100))}; }); }); </code></pre> <p>However, my scaling is not working correctly </p> <ul> <li>please have a look @ <a href="http://jsfiddle.net/dB96T/1/" rel="nofollow">http://jsfiddle.net/dB96T/1/</a></li> </ul> <p>thx!!</p> |
11,340,086 | 0 | <p>I can see the dots fine in IE 9. Exact version as yours. Only difference in my code is a valid HTML5 doctype at the top.</p> <p>Without a valid doctype IE could be switching its rendering for your page to quirks mode, or a rendering mode for IE8/IE7 which would not handle the pseudo selectors like first-child or generated content.</p> <p>See your page <a href="http://browserling.com/encoder.html#uri=http://jsbin.com/ebasez/&browser=explorer/9.0" rel="nofollow">here in browserling</a>.</p> |
13,811,471 | 0 | <p>MySQL can handle the load, so the question now is how do you want to use the data?</p> <p>If the churches are separate, do not need to interoperate and even prefer to remain completely independent, then the multi-install case may be a good fit.</p> <p>On the other hand, if you want to integrate the data from the churches, then there should be one database.</p> <p>Whenever thinking of doing a database, please think of how you want to use it. So much comes down to data interoperability (or lack thereof).</p> |
5,011,519 | 0 | <p>I think the 1st answer is the best though you can use images in borders now, try using a png image with transparency (via photoshop) use the border-image property, there's so many ways to use it you may find another style you prefer in the research. </p> <p><a href="http://www.css3.info/preview/border-image/" rel="nofollow">http://www.css3.info/preview/border-image/</a></p> |
5,895,204 | 0 | Is there a WPF Control that can display my overview ? How can I use it? <p>I am moving from a place with 2 rooms, to a place with 3 rooms. I need an application that generates an overview regarding the stuff I need to move. It needs to display for me, how many boxes need to be moved from one room to another. Correction: (The boxes need to be items in general so I can do the same for say, plants)</p> <p><img src="https://i.stack.imgur.com/GLbMB.png" alt="Moving stuff overview"></p> |
23,602,373 | 0 | Jquery Slider using div and with pagination <p>I'm trying to create a image slider where in images are place inside a DIV.<br> So basically, I have 3 divs, they can be control using a href html, the first one, its function will move to the first div, second move to center div, and last move to the 3rd div the last one. I think this is called pagination? Correct me if I'm wrong. I did not place an image on the div to simplify the codes.</p> <pre><code> <a href="" id="show1">Move to first div</a> <a href="" id="show2">Move to center</a> <a href="" id="show3">Move to 3rd div</a> <div id="main-wrapper"> <div id="inner-wrapper"> <ul> <li><div id="div1" class="divstyle">this is first</div></li> <li><div id="div2" class="divstyle">this is second</div></li> <li><div id="div3" class="divstyle">this is third</div></li> </ul> </div> </div> </code></pre> <p>This is how I tested it in jquery.</p> <pre><code>$(document).ready(function(){ $('#show1').click(function() { $('ul li div').animate({ left: '-=450' }, 3000, function() { // Animation complete. }); }); }); </code></pre> <p>I used the selector (ul li div) and used animate(), I tested a simple moving to the left, but it is not working. Any idea on this one?</p> <p>Basically this is what I'm trying to achieve. <br> <a href="http://theme.crumina.net/onetouch2/" rel="nofollow">http://theme.crumina.net/onetouch2/</a></p> <p><br><br> This is the css ,.</p> <pre><code><style> .divstyle { text-align: center; width:450px; height:300px; border:1px solid #000; margin: auto; } #inner-wrapper ul li { list-style:none; position:relative; float:left; } #inner-wrapper li { display: inline; } #main-wrapper { position: relative; overflow:hidden; width:100%; border:1px solid #000; height: 350px; float:left; } #inner-wrapper { display: table; /* Allow the centering to work */ margin: 0 auto; position: relative; height: 300px; width:500px; border:1px solid #000; overflow: hidden; } </style> </code></pre> |
36,330,094 | 0 | <p>Please include all fonts type like you did. Create a new directory in your theme and call it fonts. Then add all your custom fonts into this directory. eg: moodle/theme/yourtheme/fonts/</p> <p>Some times " src: url([[font:theme|fontname.eot]]); ", this may not work. </p> <p>Please add path like this</p> <pre><code>@font-face { /* where FontName and fontname represents the name of the font you want to add */ font-family: 'fontname'; src: url('../theme/your-theme-name/fonts/fontname.woff'); src: url('../theme/your-theme-name/fonts/fontname.eot') format('embedded-opentype'), url('../theme/your-theme-name/fonts/fontname.woff') format('woff'), url('../theme/your-theme-name/fonts/fontname.ttf') format('truetype'), url('../theme/your-theme-name/fonts/fontname.svg') format('svg'); font-weight: normal; font-style: normal; </code></pre> <p>}</p> <p>Next ADD the name of your font wherever you want that font to be used in your stylesheet. For example: #page-header h1 { font-family: FontName;}</p> <p>try !!! It will work for you :) </p> |
25,911,420 | 0 | <p>You can send the .ipa file to the testers (using Dropbox or BTSync for example). They can install it with iTunes (see : <a href="http://stackoverflow.com/questions/14127576/install-ipa-with-itunes-11">Install IPA with iTunes 11</a>)</p> <p><a href="https://crashlytics.com" rel="nofollow">Crashlitics</a> is a good alternative to TestFlight too.</p> |
32,694,010 | 0 | Curious about Format function with Phone Number <p>UPDATE (SOLVED): <a href="https://dotnetfiddle.net/6GEJyO" rel="nofollow noreferrer">https://dotnetfiddle.net/6GEJyO</a></p> <hr> <p>I used the following code to format a phone number in a loop with various formats:</p> <pre><code>string PhoneNumber = "9998675309" String.Format("{0:" + formatString + "}", Convert.ToDouble(PhoneNumber)) </code></pre> <p>I need to format phone numbers two slightly different ways. One came out as I expected and the other did not.</p> <p>So, curious, I decided to do a quick console app and see all of the different phone number formatting possibilities I could think of. Here is that result:</p> <p><a href="https://i.stack.imgur.com/UCym5.png" rel="nofollow noreferrer"><img src="https://i.stack.imgur.com/UCym5.png" alt="http://i.imgur.com/PfKlZfM.png"></a></p> <p>My question is this: Why do some of those come out formatted the way that they seem like they should and others do not? Are there escape characters that are needed for some of them?</p> |
31,915,923 | 0 | <p>Yash, have you made sure that your Tomcat installation is working properly? You should be able to access the manager app (usually under localhost:8080/manager/html) and see all running applications, regardless of whether you have iteraplan deployed on the server or not. Also, to run iteraplan, you need a database (details can be found in the iteraplan installation guide: <a href="http://www.iteraplan.de/wiki/display/iteraplan34/Installation+Guide" rel="nofollow">http://www.iteraplan.de/wiki/display/iteraplan34/Installation+Guide</a>). Finally, if you just want to run the application, without modifying the code, it would be simpler to download one of the bundles available in sourceforge (<a href="http://sourceforge.net/projects/iteraplan/files/iteraplan" rel="nofollow">http://sourceforge.net/projects/iteraplan/files/iteraplan</a> Community Edition/). They have a Tomcat server and a database included.</p> |
35,963,306 | 0 | <p>You have (at least) a couple of options here, but the obvious one is to supply a QueryBuilder to the field which provides the required rows (see <a href="http://symfony.com/doc/current/reference/forms/types/entity.html#query-builder" rel="nofollow">Symfony docs on EntityType Field</a>)</p> <p>E.g.</p> <pre><code>//Create function which accepts EntityRepository and returns required QueryBuilder $qbFunction = function(EntityRepository $er) { return $er->createQueryBuilder('n') //->orderBy() //If you need to, to get the correct 2 rows! ->setMaxResults(2); //Just two rows }; $builder->add('adress',null,array('label' => 'form.adress', 'translation_domain' => 'FOSUserBundle')) ->add('niveau','entity',array( 'class'=>'EnsajAdministrationBundle:Niveau', 'property'=>'libelle' ,'multiple'=>false ,'query_builder' => $qbFunction) //give function to field ) </code></pre> <p>You can make the query more complex if you need to, e.g. add joins</p> |
19,668,152 | 0 | Google App Engine - How does datastore initialization work across sessions? <p>I'm developing my first project for GAE, and I'm wondering about how to go about setting up my connection to the datastore.</p> <p>Currently, I have the following in the header.jsp, which is included in all pages and includes a reference to a Datastore class that I created. </p> <p>header.jsp:</p> <pre><code><%@ page import="foo.Datastore"%> <% if (Datastore.getDatastore() == null) { DatastoreService datastore = DatastoreServiceFactory.getDatastoreService(); Datastore.setDatastore(datastore); } %> </code></pre> <p>Datastore.java:</p> <pre><code>public class Datastore { private static DatastoreService ds; public static DatastoreService getDatastore() { return ds; } public static void setDatastore(DatastoreService d) { ds = d; } } </code></pre> <p>Will this connect me to the SAME datastore every time I use the application? If so, can you explain how this works? How does <code>DatastoreServiceFactory.getDatastoreService()</code> know which datastore to connect to? Thanks!</p> |
7,828,515 | 0 | In PHP, are objects methods code duplicated or shared between instances? <p>In PHP, if you make an array of objects, are the object methods (not data members) copied for each instance of the object in the array, or only once? I would assume that for memory reasons, the latter is true; I just wanted to confirm with the StackOverflow community that this is true.</p> <p>For example, suppose I have a class MyClass with a couple of methods, i.e.</p> <pre><code>class MyClass { public $data1; private $data2; public function MyClass($d1, $d2) { $this->data1=$d1; $this->data2=$d2; } public function method1() { } public function method2() { } } </code></pre> <p>Obviously in reality method1() and method2() are not empty functions. Now suppose I create an array of these objects:</p> <pre><code>$arr = array(); $arr[0] = & new MyClass(1,2); $arr[1] = & new MyClass(3,4); $arr[2] = & new MyClass(5,6); </code></pre> <p>Thus PHP is storing three sets of data members in memory, for each of the three object instances. My question is, does PHP also store copies of method1() and method2() (and the constructor), 3 times, for each of the 3 elements of $arr? I'm trying to decide whether an array of ~200 objects would be too memory-intensive, because of having to store 200 copies of each method in memory.</p> <p>Thanks for your time.</p> |
8,667,676 | 0 | <p>QThreads can deadlock if they finish "naturally" during termination.</p> <p>For example in Unix, if the thread is waiting on a "read" call, the termination attempt (a Unix signal) will make the "read" call abort with an error code before the thread is destroyed.</p> <p>That means that the thread can still reach it's natural exit point while being terminated. When it does so, a deadlock is reached since some internal mutex is already locked by the "terminate" call.</p> <p>My workaround is to actually make sure that the thread <em>never</em> returns if it was terminated.</p> <pre><code>while( read(...) > 0 ) { // Do stuff... } while( wasTerminated ) sleep(1); return; </code></pre> <p><em>wasTerminated</em> here is actually implemented a bit more complex, using atomic ints:</p> <pre><code>enum { Running, Terminating, Quitting }; QAtomicInt _state; // Initialized to Running void myTerminate() { if( _state.testAndSetAquire(Running, Terminating) ) terminate(); } void run() { [...] while(read(...) > 0 ) { [...] } if( !_state.testAndSetAquire(Running, Quitting) ) { for(;;) sleep(1); } } </code></pre> |
11,253,398 | 0 | <p>You are probably not going to like this answer but I think if you are going to this much trouble to optimise the sql that linq is outputting then it is easier just to write it in sql.</p> |
15,518,509 | 0 | <p>There is no pagination when using the Search functionality built in the Spotify Apps API. You can increase the number of results so it returns more than 50 results (see <a href="https://developer.spotify.com/technologies/apps/docs/833e3a06d6.html" rel="nofollow">the Search page in the documentation</a>), although the amount is limited (it seems to be 200 tracks at the moment).</p> <p>There is an alternative way, which is performing requests to the <a href="https://developer.spotify.com/technologies/web-api/search/" rel="nofollow">Web API</a> instead.</p> |
15,818,586 | 0 | <p>You can use 3rd party library to get log about crash and exception. I have used <a href="https://markedup.com/" rel="nofollow">MarkedUp</a>. Another way is to create own web service which sends crash log to some database.</p> |
29,792,281 | 0 | <pre><code>$updatequery = "update patient_dim set dentist_id = $dentist_id where". " patient_id = $patient_id"; </code></pre> <p>you forgot to add space after WHERE clause</p> |
18,910,902 | 0 | Adding ViewPager inside another ViewPager <p><img src="https://i.stack.imgur.com/SrvvR.jpg" alt="enter image description here"></p> <p>I'm creating an activity showing some photos with ViewPager. And I want to add another little ViewPager into any page of main ViewPager. When I swipe little ViewPager main ViewPager swipes. I want main ViewPager not to swipe.</p> <p>How can I do it?</p> <p>Note: I add all the elements by programmatically.</p> <pre><code> RelativeLayout RelLay=(RelativeLayout) viewPager.findViewById(arg0); //main ViewPager page final ViewPager vpager=new ViewPager(getBaseContext()); ArrayList<String> childImages=new ArrayList<String>(); childImages.add("/storage/sdcard0/Folder/1.jpg"); childImages.add("/storage/sdcard0/Folder/2.jpg"); childImages.add("/storage/sdcard0/Folder/3.jpg"); childImages.add("/storage/sdcard0/Folder/4.jpg"); childImages.add("/storage/sdcard0/Folder/5.jpg"); ImageAdapterChild imageadapter=new ImageAdapterChild(getBaseContext(), childImages); vpager.setLayoutParams(lparams); vpager.setAdapter(imageadapter); RelLay.addView(vpager); //add child ViewPager into the main ViewPager </code></pre> |
18,078,485 | 0 | <p>Make necessary improvements you need. This will get you started.</p> <p><a href="http://jsfiddle.net/eTJGV/1/" rel="nofollow">http://jsfiddle.net/eTJGV/1/</a></p> <p>Use jquery change property,</p> <pre><code>$('#color').change(function(){ var color = $(this).val(); $('textarea').css('background-color',color); }); </code></pre> |
33,642,413 | 0 | <p>Have you created all the necessary columns for your associations? Your schema for your taggings table should look similar to this</p> <pre><code>create_table "taggings", force: :cascade do |t| t.integer "token_id", limit: 4 t.integer "taggable_id", limit: 4 t.string "taggable_type", limit: 255 t.datetime "created_at", null: false t.datetime "updated_at", null: false end </code></pre> <p>I think you are missing the <code>token_id</code> column or forgot to perform a migration.</p> |
13,065,689 | 0 | <p>As others have pointed out the problem, I thought I would suggest an easier solution</p> <pre><code>File.AppendAllText(filename, "test"); </code></pre> |
23,451,782 | 0 | <p>I don't think you really want to build your own operating system. There's already an operating system called <a href="http://www.reactos.org/" rel="nofollow">ReactOS</a> that's pretty much what you're looking to build.</p> <p>Just to reemphasize that creating an operating system isn't easy (especially one that runs Windows applications), ReactOS development started in 1998 and they're still in alpha stage.</p> <p>If you still want to have a crack at it, I would recommend having a look at <a href="http://wiki.osdev.org/Expanded_Main_Page" rel="nofollow">OSDev</a>, <a href="http://www.winehq.org/" rel="nofollow">Wine</a> source code and <a href="http://www.reactos.org/" rel="nofollow">ReactOS</a> source code.</p> <p>Have you considered perhaps making a minimalistic Linux distro that contains the minimum number of programs needed to start up Wine and the Windows application you need?</p> |
39,966,942 | 0 | <p>As @ivoba stated there is no native expression handling of bitwise operators for the symfony parameters.xml services.xml files or their yml equivalents.</p> <p>For others looking for a method to handle special parameters, one method is that you can use a <code>CompilerPassInterface</code> to process the parameter values for you, then add the CompilerPass to your Bundle's build method, this way your container will build and cache the SoapClient.</p> <p>Below demonstrates adding the SoapClient as an extension, allowing you to use it from a specific Bundle that can be included in other Applications. Alternatively <code>services.xml</code> can be ported to the global <code>/app/config/services.xml</code> file and the compiler can be included in a desired Bundle build method.</p> <p><strong>Define the CompilerPass</strong></p> <pre><code>//src/AppBundle/DependencyInjection/Compiler/SoapServicePass.php namespace AppBundle\DependencyInjection\Compiler; use Symfony\Component\DependencyInjection\Compiler\CompilerPassInterface; use Symfony\Component\DependencyInjection\ContainerBuilder; class SoapServicePass extends CompilerPassInterface { public function process(ContainerBuilder $container) { if ($container->hasParameter('soap.compression')) { $compression = $container->getParameter('soap.compression'); if (true === is_array($compression)) { //easy way to bitwise OR an array of integer values and return 0 $compression = array_reduce($compression, function ($a, $b) { return $a | $b; }, 0); } if (false === is_int($compression)) { //validation to ensure an integer value is received throw new \InvalidArgumentException('soap.compression parameter must be an integer or an array of integer values to apply bitwise OR on'); } $container->setParameter('soap.compression', $compression); } //... } //... } </code></pre> <p><strong>Define the Extension</strong></p> <pre><code>//src/AppBundle/DependencyInjection/SoapExtension.php namespace AppBundle\DependencyInjection; use Symfony\Component\Config\FileLocator; use Symfony\Component\DependencyInjection\ContainerBuilder; use Symfony\Component\DependencyInjection\Loader\XmlFileLoader; use Symfony\Component\HttpKernel\DependencyInjection\Extension; class SoapExtension extends Extension { public function load(array $configs, ContainerBuilder $container) { $loader = new XmlFileLoader($container, new FileLocator(__DIR__ . '/../Resources/config')); $loader->load('services.xml'); } } </code></pre> <p><strong>Define the Service</strong></p> <pre class="lang-xml prettyprint-override"><code><!-- src/AppBundle/Resources/config/services.xml --> <?xml version="1.0" ?> <container xmlns="http://symfony.com/schema/dic/services" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://symfony.com/schema/dic/services http://symfony.com/schema/dic/services/services-1.0.xsd"> <parameters> <parameter key="soap.compression" type="collection"> <parameter type="constant">SOAP_COMPRESSION_ACCEPT</parameter> <parameter type="constant">SOAP_COMPRESSION_GZIP</parameter> </parameter> <parameter key="soap.options" type="collection"> <parameter key="compression">%soap.compression%</parameter> </parameter> </parameters> <services> <service id="soap_client" class="SoapClient"> <argument/> <argument>%soap.options%</argument> </service> </services> </container> </code></pre> <p><strong>Include the Extension and CompilerPass in your bundle</strong></p> <pre><code>//src/AppBundle/AppBundle.php namespace AppBundle; use Symfony\Component\DependencyInjection\ContainerBuilder; use Symfony\Component\HttpKernel\Bundle\Bundle; use AppBundle\DependencyInjection\Compiler\SoapServicePass; use AppBundle\DependencyInjection\SoapExtension; class AppBundle extends Bundle { public function build(ContainerBuilder $container) { $container->addCompilerPass(new SoapServicePass); //... } public function getContainerExtension() { return new SoapExtension; } //... } </code></pre> <p><strong>Container Results:</strong></p> <pre><code>/** * Gets the 'soap_client' service. * * This service is shared. * This method always returns the same instance of the service. * * @return \SoapClient A SoapClient instance */ protected function getSoapClientService() { return $this->services['soap_client'] = new \SoapClient('', array('compression' => 32)); } </code></pre> |
32,725,478 | 0 | Retrieving original class types from anonymous classes <p>Given a class with an empty constructor and a var:</p> <pre><code>class MyClass() { var myVar: Int = 0 } </code></pre> <p>When the class is instantiated with a closure, this yields an object with the underlying type of an anonymous class rather than MyClass:</p> <pre><code>// getClass yields type my.package.MainClass$$anonfun$1$anonfun$apply... val myNewClassInstance: MyClass = new MyClass() { myVar = 2} </code></pre> <p>Is it possible to retrieve the original class type MyClass using reflection and the object myNewClassInstance, in order to create new object instances from it?</p> |
14,595,661 | 0 | <p>For simple stuff you can use <a href="http://help.adobe.com/en_US/FlashPlatform/reference/actionscript/3/flash/net/SharedObject.html" rel="nofollow">SharedObject</a></p> |
40,659,647 | 0 | Can not Update A Picture Into A Database Using PDO <p>Having problems updating an image into the database. If I try to update this is what comes on the screen</p> <blockquote> <p>Notice: Undefined index: picture in C:\xampp\htdocs\churchapp\db\controller.php on line 193</p> <p>Warning: getimagesize(): Filename cannot be empty in C:\xampp\htdocs\churchapp\db\db.php on line 45</p> </blockquote> <pre><code>if (isset($_POST['updatemember'])) { extract($_POST); $picture = $_FILES['picture']; $imagename = $picture['name']; $fileInfo = array( 'name' => $picture['name'], 'type' => $picture['type'], 'temp_name' => $picture['tmp_name'], 'error' => $picture['error'], 'size' => $picture['size'] ); $upload = $con->uploadImage($fileInfo); if ($upload == 1) { $con->command("UPDATE member SET pic = '".$imagename."', firstname = '".$fname."', lastname = '".$lname."', othernames = '".$othernames."', dob = '".$dob."', age = '".$age."', gender = '".$gender."', occupation = '".$occupation."', phonenumber = '".$pnum."', email = '".$email."', residence = '".$residence."', hometown = '".$hometown."', mstatus = '".$mstatus."', nod = '".$nod."', ministry = '".$ministry."', position = '".$position."', department = '".$department."', dojc = '".$dojc."', doma = '".$doma."', doc = '".$doc."', d_baptize = '".$d_baptize."', dofm = '".$dofm."', domr = '".$domr."', tithe_payer = '".$tithe_payer."', pre_church = '".$pre_church."' WHERE id = '".$id."' "); header("Location: ../viewallmem.php"); } } and public function uploadImage($f){ $target_dir = "../images/"; $target_file = $target_dir . basename($f['name']); $uploadOk = 1; $imageFileType = pathinfo($target_file,PATHINFO_EXTENSION); // Check if image file is a actual image or fake image $check = getimagesize($f['temp_name']); if($check !== false) { $uploadOk = 1; } else { $uploadOk = 0; } // Check if file already exists if (file_exists($target_file)) { $uploadOk = 0; } // Check file size if ($f['size'] > 50000000) { $uploadOk = 0; } // Allow certain file formats if($imageFileType != "jpg" && $imageFileType != "png" && $imageFileType != "PNG" && $imageFileType != "jpeg" && $imageFileType != "gif" ) { $uploadOk = 0; } // Check if $uploadOk is set to 0 by an error if ($uploadOk == 0) { // if everything is ok, try to upload file }else { move_uploaded_file($f['temp_name'], $target_file); } return $uploadOk; } </code></pre> |
37,897,049 | 0 | <p>I think you should use one <code>SqlDataSource</code> and change its <code>SelectCommnad</code> according to the selection of <code>dropdown</code>.</p> <pre><code>if(dropdwon.SelectedValue == "0"){ SqlDataSource1.SelectCommnad = "Your sp to search city"; GridView1.DataSourceID = SqlDataSource1; GridView1.DataBind(); } else if(dropdwon.SelectedValue == "1"){ SqlDataSource1.SelectCommnad = "Your sp to search country"; GridView1.DataSourceID = SqlDataSource1; GridView1.DataBind(); } </code></pre> |
398,209 | 0 | Actionscript 3.0, why is it missing good OOP elements? <p>Anyone who has programmed with actionscript 3.0 has most certainly noticed its lack of support for private constructors and abstract classes. There are ways to work around these flaws, like throwing errors from methods which should be abstract, but these work arounds are annoying and not very elegant. (Throwing an error from a method that should be abstract is a run-time check, not compile-time, which can lead to a lot of frustration).</p> <p>I know actionscript 3.0 follows the current ECMAscript standard and this is the reason for its lack of private constructors, but what about abstract classes, are they not in the ECMAscript standard eather?</p> <p>I guess the more specific question is why does ECMAscript standard not support private constructors? Is it something that can be look forward to in the future?</p> <p>I have been wondering this for quit sometime, any insight will be much appreciated.</p> |
33,941,965 | 0 | Android How to package as API <p>I am working on providing SDK support for another apps by opening my app UI elements into another app. Its like having Facebook SDK integrated with other apps where one when click on "Login with Facebook" facebook UI comes up. Other apps like Uber has its own SDK How can I achieve it? One option is to have .jar/.aar file packaged. Or Deep linking works well? Please also suggest some documentation which can help me. Thanks,</p> |
19,547,000 | 0 | <p>A little whitespace will go a long way...</p> <p>The opposite of <code>$0 ~ s</code> is <code>$0 !~ s</code>, so</p> <pre><code>cvs -q status | awk ' c-- > 0 $0 !~ s { if (b) for (c=b+1; c>1; c--) print r[(NR-c+1)%b] print c=a } b {r[NR%b]=$0} ' b=1 a=9 s='Up-to-date' </code></pre> |
25,581,667 | 0 | Match the top of the characters and the bottom baseline of the font <p>Do you know of a reliable way to have borders matching the baseline of the font and the top of the characters? </p> <p>I'm not sure it's very clear as I lack the words to explain this precisely, so here is an example: <a href="http://codepen.io/anon/pen/zwjLf" rel="nofollow">http://codepen.io/anon/pen/zwjLf</a>. This is what I've been able to achieve messing with the line-height property until finding the best value:</p> <pre><code>line-height: 0.7em; </code></pre> <p>But I guess it's not a very clean or reliable way to do it.</p> |
38,766,463 | 0 | BackupManager - any "bmgr wipe" alternative? <p>The <code>bmgr wipe</code> command doesn't work. Also disabling the <code>BackupManager</code> didn't help removing the backup sets. Is there any alternative way to remove those sets?<br> Is there any option for that in the Google account settings on the web?</p> |
11,719,652 | 0 | <p>Glyph ID's do not always correspond to Unicode character values - especially with non latin scripts that use a lot of ligatures and variant glyph forms where there is not a one-to-one correspondance between glyphs and characters.</p> <p>Only Tagged PDF files store the Unicode text - otherwise you may have to reconstruct the characters from the glyph names in the fonts. This is possible if the fonts used have glyphs named according to Adobe's Glyph Naming Convention or <a href="http://sourceforge.net/adobe/aglfn/wiki/AGL%20Specification/" rel="nofollow">Adobe Glyph List Specification</a> - but many fonts, including the standard Windows fonts, don't follow this naming convention.</p> |
38,719,861 | 0 | What happens if rules are applied multiple time to a form <p>This is more of a generic question, please remove it if this is not a correct platform.</p> <p>My question is what happens if rules are applied to html form multiple time. like every time user clicks on button if rules are applied what will be the impact.</p> <p>I am pretty sure such things won't happen but in case if we do that will browser go for a memory leak.?</p> <p>Below is a sample validaiton.</p> <pre><code> $("#fromValidate").validate({ rules: { txtName: { required: true } }, messages: { txtName: { required: "Please Enter Name." } }, ignore: [] }); </code></pre> <p>If above rules are called everytime user clicks the button what will be the impact?</p> |
3,023,259 | 0 | <p>Use <a href="http://msdn.microsoft.com/en-us/library/9h21f14e.aspx" rel="nofollow noreferrer"><code>DateTime.TryParse</code></a> with the format string you want.</p> <p>If you can accept several formats then you'll need to call each in turn until you find the one that matches - which I assume is what you mean by "the tedious approach".</p> |
38,452,416 | 0 | How do I write an MDX statement to do something differently if the current shown period is incomplete? <p>Using MDX, I need to show a "Closing" stock amount which is basically the last value for the period being shown.</p> <p>For example, if they are looking at the data by week, then the closing stock is the last day of that week, month is the last day of that month etc.</p> <p>I am using the following to show me this: <code>(ClosingPeriod([Date].[Retail].[Date], [Date].[Retail].CurrentMember), [Measures].[On Hand Quantity])</code></p> <p>The problem I am having is when they are looking at a period that is not yet finished. For example, if they are looking at current week, we want to show the most recent value that is not 0. If they are looking at current month or even current year, it should still show yesterday as that period level has not yet finished.</p> <p>How do I say "if we are looking at the current period, show yesterday, otherwise use my code above to show closingperiod"?</p> <p>I can use <code>StrToMember('[Date].[Calendar].[Date].&[' + Format(Now(), 'yyyy-MM-dd') + 'T00:00:00]')</code> to get the current dates member.</p> <p>I was doing the below with the assumption that if I don't have a value, then it must be incomplete, however future periods are showing a value which is not what I want:</p> <pre><code> CoalesceEmpty( (ClosingPeriod([Date].[Retail].[Date], [Date].[Retail].CurrentMember), [Measures].[On Hand Quantity]), (StrToMember('[Date].[Calendar].[Date].&[' + Format(Now(), 'yyyy-MM-dd') + 'T00:00:00]'), [Measures].[On Hand Quantity]) ) </code></pre> |
34,987,254 | 0 | iOS how to cache data when kill application? <p>I am developing a new feature for my app. I want cache all datas get from web service to read when offline. <br> Current, my app can cache data but when I killed my app It didn't work. <br> I saw an application <a href="https://itunes.apple.com/us/app/smartnews-trending-news-stories/id579581125?mt=8" rel="nofollow">https://itunes.apple.com/us/app/smartnews-trending-news-stories/id579581125?mt=8</a> can cache everything when killed application. <br>Do you have some suggest for me? <br> Thanks.</p> |
26,948,236 | 0 | Does not show/retrieve PFObjects that were created by another Parse Installation user <p>I've been working on an app for months, and in the development stage it was having no problem retrieving info from the Parse backend. However, the second that I moved the app over to distribution and put in on the app store, I discovered that all the objects that someone would send me from their installation would not show up in my inbox. I am only able to see the objects I created in my inbox. Would anyone know possibly why I can't see objects that other users make on my app, and Vise Versa? Btw, this is through Xcode, Objective-C, and iOS.</p> |
21,756,516 | 0 | <p>Assuming that the result is another <code>DataTable</code> with the aggregated data:</p> <pre><code>var aggrTable = table.Clone(); // schema only var groups = table.AsEnumerable() .GroupBy(r => new { ItemNumber = r.Field<int>("ItemNumber"), Cat1 = r.Field<string>("Cat1") }); foreach(var group in groups) { DataRow row = aggrTable.Rows.Add(); row.SetField("ItemNumber", group.Key.ItemNumber); row.SetField("Cat1", group.Key.Cat1); row.SetField("Low Price", group.Min(r => r.Field<int>("Low Price"))); row.SetField("High Price", group.Max(r => r.Field<int>("High Price"))); } </code></pre> <p>Result-table (tested with your sample data):</p> <pre><code> ItemNumber Cat1 Low Price High Price 100 Item1 1 12 150 Item2 2 18 </code></pre> |
12,163,773 | 0 | <p>Use <code>file</code>, e.g.</p> <pre><code>$ file `which git` /usr/local/bin/git: Mach-O 64-bit executable x86_64 </code></pre> |
35,655,455 | 0 | <p>Here is how I would generally do this. </p> <ol> <li>A Use the web service tester in Workday Studio. Use that and the Xml request template it creates to get the request working. Then build the same request in another tool you can automate Or </li> <li>Use SoapUi to consume the WSDL for this web service . Get the request working in SoapUI first </li> <li>Use wsdl2java to create all the necessary Java classes for calling the Launch EIB service . Then write the call programmatically . </li> </ol> <p>I have code sitting around for launching Studio integrations this way and EIB launch seems to be similar. Let me know if you would like to see the code for studio launching. </p> |
29,500,214 | 0 | <p>The error tells you exactly where the problem is. </p> <pre><code>add has_many :bookmarks to app/models/user.rb add belongs_to :user to app/model/user.rb </code></pre> <p>this should not be in a migration since they do not change the schema. You need to add these to the bookmark and user model, so</p> <pre><code>class Bookmark < ActiveRecord::Base belongs_to :user end class User < ActiveRecord::Base has_many :bookmarks end </code></pre> |
16,077,067 | 0 | <p>I know its too late.But it will help some others. Use show and hide instead of replace.Here is a sample code.</p> <pre><code>private class MyTabListener implements ActionBar.TabListener { @Override public void onTabSelected(Tab tab, FragmentTransaction ft) { switch (tab.getPosition()) { case 0: if (frag1 == null) { // If not, instantiate and add it to the activity frag1 = Fragment.instantiate(getApplicationContext(), FeedsActivity.class.getName()); ft.add(android.R.id.content, frag1, "Feeds"); } else { // If it exists, simply attach it in order to show it ft.show(frag1); } return; case 1: if (frag2 == null) { // If not, instantiate and add it to the activity frag2 = Fragment.instantiate(getApplicationContext(), ProfileActivity.class.getName()); ft.add(android.R.id.content, frag2, "Profile"); } else { // If it exists, simply attach it in order to show it ft.show(frag2); } return; case 2: if (frag3 == null) { // If not, instantiate and add it to the activity frag3 = Fragment.instantiate(getApplicationContext(), History.class.getName()); ft.add(android.R.id.content, frag3, "History"); } else { // If it exists, simply attach it in order to show it ft.show(frag3); } return; } } @Override public void onTabUnselected(Tab tab, FragmentTransaction ft) { // TODO Auto-generated method stub if (frag1 != null) { // Detach the fragment, because another one is being attached switch (tab.getPosition()) { case 0: ft.hide(frag1); return; case 1: ft.hide(frag2); return; case 2: ft.hide(frag3); return; } } } @Override public void onTabReselected(Tab tab, FragmentTransaction ft) { // TODO Auto-generated method stub } } </code></pre> |
24,533,294 | 0 | Strange oscillating ripples in my shallow water implementation <p>I've been trying to implement the shallow water equations in Unity, but I've run in a weird bug. I get these strange oscillating ripples in my water. I made some screenshot:</p> <p><img src="https://i.stack.imgur.com/9FcuF.jpg" alt="enter image description here"> <img src="https://i.stack.imgur.com/JpCOk.jpg" alt="enter image description here"></p> <p>And a video you can find here: <a href="https://www.youtube.com/watch?v=crXLrvETdjA" rel="nofollow noreferrer">https://www.youtube.com/watch?v=crXLrvETdjA</a></p> <p>I based my code on the paper <a href="http://evasion.imag.fr/Publications/2007/MDH07/FastErosion_PG07.pdf" rel="nofollow noreferrer">Fast Hydraulic Erosion Simulation and Visualization on GPU</a> by Xing Mei. And you can find the entire solver code here: <a href="http://pastebin.com/JktpizHW" rel="nofollow noreferrer">http://pastebin.com/JktpizHW</a> (or see below.) Each time I use a formula from the paper, I added its number as a comment.</p> <p>I tried different timesteps, for the video I used 0.02, lowering it just made it oscillate slower. I also tried a bigger grid (video uses 100, I tried 200 but then the ripples just were smaller.) I checked all formulas several times, and can't find any error.</p> <p>Anyone here who can figure out what's going wrong?</p> <p>Extra info:</p> <p>As you can see from the pastebin, I programmed it in c#. I used Unity as my engine for visualisation, and I'm just using a grid mesh to visualise the water. I alter the mesh's vertex y component to match the height I calculate.</p> <p>The DoUpdate method gets a <code>float[][] lowerLayersHeight</code> parameter, that's basically the height of the terrain under the water. In the video it's just all <code>0</code>.</p> <pre><code>public override void DoUpdate(float dt, float dx, float[][] lowerLayersHeight) { int x, y; float totalHeight, dhL, dhR, dhT, dhB; float dt_A_g_l = dt * _A * g / dx; //all constants for equation 2 float K; // scaling factor for the outflow flux float dV; for (x=1 ; x <= N ; x++ ) { for (y=1 ; y <= N ; y++ ) { // // 3.2.1 Outflow Flux Computation // -------------------------------------------------------------- totalHeight = lowerLayersHeight[x][y] + _height[x][y]; dhL = totalHeight - lowerLayersHeight[x-1][y] - _height[x-1][y]; //(3) dhR = totalHeight - lowerLayersHeight[x+1][y] - _height[x+1][y]; dhT = totalHeight - lowerLayersHeight[x][y+1] - _height[x][y+1]; dhB = totalHeight - lowerLayersHeight[x][y-1] - _height[x][y-1]; _tempFlux[x][y].left = Mathf.Max(0.0f, _flux[x][y].left + dt_A_g_l * dhL ); //(2) _tempFlux[x][y].right = Mathf.Max(0.0f, _flux[x][y].right + dt_A_g_l * dhR ); _tempFlux[x][y].top = Mathf.Max(0.0f, _flux[x][y].top + dt_A_g_l * dhT ); _tempFlux[x][y].bottom = Mathf.Max(0.0f, _flux[x][y].bottom + dt_A_g_l * dhB ); float totalFlux = _tempFlux[x][y].left + _tempFlux[x][y].right + _tempFlux[x][y].top + _tempFlux[x][y].bottom; if (totalFlux > 0) { K = Mathf.Min(1.0f, _height[x][y] * dx * dx / totalFlux / dt); //(4) _tempFlux[x][y].left = K * _tempFlux[x][y].left; //(5) _tempFlux[x][y].right = K * _tempFlux[x][y].right; _tempFlux[x][y].top = K * _tempFlux[x][y].top; _tempFlux[x][y].bottom = K * _tempFlux[x][y].bottom; } //swap temp and the real one after the for-loops // // 3.2.2 Water Surface // ---------------------------------------------------------------------------------------- dV = dt * ( //sum in _tempFlux[x-1][y].right + _tempFlux[x][y-1].top + _tempFlux[x+1][y].left + _tempFlux[x][y+1].bottom //minus sum out - _tempFlux[x][y].right - _tempFlux[x][y].top - _tempFlux[x][y].left - _tempFlux[x][y].bottom ); //(6) _tempHeight[x][y] = _height[x][y] + dV / (dx*dx); //(7) //swap temp and the real one after the for-loops } } Helpers.Swap(ref _tempFlux, ref _flux); Helpers.Swap(ref _tempHeight, ref _height); } </code></pre> |
8,969,875 | 0 | <p>Some editions of find, mostly on linux systems, possibly on others aswell support -regex and -regextype options, which finds files with names matching the regex.</p> <p>for example</p> <pre><code>find . -regextype posix-egrep -regex ".*\.(py|html)$" </code></pre> <p>should do the trick in the above example. However this is not a standard POSIX find function and is implementation dependent.</p> |
17,276,924 | 0 | <p>Use <code>this</code>:</p> <pre><code>jQuery(".slideheader2").click(function() { jQuery(this).prev(".slidecontent2").slideToggle(250); }); </code></pre> |
37,058,213 | 0 | <p>Since you need to start from most recently objects, you need to reverce your array:</p> <pre><code>myArray = myArray.sort_by { |obj| obj['date'] }.reverse </code></pre> <p>In Ruby more recent date is greater then less recent:</p> <pre><code>Date.today > Date.today - 2 => true </code></pre> |
9,576,254 | 0 | File Upload - Add to existing Input <p>I have the following file input box that allows for multiple upload: </p> <pre><code><input name="filesToUpload[]" id="filesToUpload" type="file" multiple="" /> </code></pre> <p>My users pick their files and they appear in a list. But say after picking their files a user wishes to add more files without overwriting the existing files chosen. Is it possible to add on to the list of existing files or would I need a new file input element?</p> |
12,571,532 | 0 | when to use which mod_rewrite rule for self routing? <p>There are several ways to write a mod_write rule for self routing. At the moment i am using this one:</p> <pre><code>RewriteCond %{REQUEST_URI} !\.(js|ico|gif|jpg|png|css)$ RewriteRule ^.*$ index.php [NC,L] </code></pre> <p>But i also could use</p> <pre><code>RewriteCond %{REQUEST_FILENAME} !-f RewriteCond %{REQUEST_FILENAME} !-d RewriteRule ^(.*) index.php </code></pre> <p>OR</p> <pre><code>ErrorDocument 404 /index.php </code></pre> <p>There may be many more. </p> <p>Are there any drawbacks for using one of these examples?</p> <p>Are there any use cases where one rule makes more sense then the other? </p> <p>Could you explain the difference between these rules in detail?</p> <p>Thx for your time and help.</p> |
24,069,448 | 0 | <p>Set the offset vale false. Here is all the info you need. <a href="http://matplotlib.org/examples/pylab_examples/newscalarformatter_demo.html" rel="nofollow">Here is the tutorial link.</a></p> <pre><code>ax = plt.gca() ax.ticklabel_format(useOffset=False,useMathText=None) </code></pre> <p>Or as shown in the example, </p> <pre><code>from matplotlib.ticker import OldScalarFormatter gca().xaxis.set_major_formatter(ScalarFormatter(useOffset=False)) gca().yaxis.set_major_formatter(ScalarFormatter(useOffset=False)) </code></pre> |
Subsets and Splits