Menu
  • HOME
  • TAGS

HTML5 - How to aply CSS to validator message

html5,message,validation,required

This question has already been answered. You can find the answer here. For ease of access the code you'll need is below. ::-webkit-validation-bubble ::-webkit-validation-bubble-arrow-clipper ::-webkit-validation-bubble-arrow ::-webkit-validation-bubble-message This is Chrome's implementation of styling, however it is not officially standard. Hence consider creating your own popup. Setting content of bubble Please consider...

Logout message doesn't show

jsf,session,redirect,message

Why it doesn't show my logout message? Because you've assigned it as a property of a session scoped bean and are then invalidating the session and sending a redirect. The invalidation of the session will destroy the session scope and all objects stored in it, including session scoped managed...

Get message of tags using JGit

eclipse,tags,message,jgit

You don't neccessarily have to parse tags with RevWalk#parseTag(). This method is only to parse annotated tags. To tell one from the other you can even use parseTag (or is there any better way?) RevTag tag; try { tag = revWalk.parseTag( ref.getObjectId() ); // ref points to an annotated tag...

Sharepoint - Custom error messages

sharepoint,message

The validation message for the SPField is a property on the field called ValidationMessage in the Microsoft.SharePoint namespace, or validationMessage in the SP namespace if you are working with the SP.js framework. The validation message is controlled from a property that differs depending on what model you are using when...

Chrome ServiceWorker postMessage

google-chrome,message,postmessage,service-worker

One way to send a response from the worker back to the controlled app is shown in this demo and is done the following way (I haven't actually tested this yet, but the demo works well and the code seems to agree with the specs). In the main page: function...

send and receive sms therough web application

android,web,sms,message

You need to do the following in application: Get your inputs data first Concatenate them with some delimiter(,_....) Storing all concatenated data to one variable Then send it as body of SMS In Server side: First get SMS from that port(e.g: 7777) Explode the SMS with delimter(,_....) that concatenated before...

CakePHP 2.x Sending user messages to element('menu')

cakephp,menu,message

For instance, once a user is logged in, I have to recover some informations about him. The User.id, User.name, etc. are recovered using the SessionHelper as follow : Not a good idea, the best is to set the user data from the auth component to the view. For example...

How can I play.google for Skype?

java,android,eclipse,message,skype

First you check skype is already installed or not using this code .if insalled msg something.else go to google play to download skype skypename.setOnClickListener(new OnClickListener() { @Override public void onClick(View v) { if (!isSkypeClientInstalled(MainActivity.this)) { goToMarket(MainActivity.this); return; } else{ Uri skypeUri = Uri.parse("skype:username?chat"); Intent myIntent = new Intent(Intent.ACTION_VIEW, skypeUri); myIntent.setComponent(new...

Parse error when trying to upload PFObject

parse.com,xcode6,message,pfobject

Try this instead. then you save in a background blok @IBAction func sendButton(sender: AnyObject) { var message = PFObject(className:"message") message["message"] = send.text message.saveInBackgroundWithBlock { (succeeded: Bool!, error: NSError!) -> Void in if (error != nil) { println("Save : \(error)") } else{ println("Success! with save") } } } ...

How Send message from fragment to activity and received and use in activity?

android,android-fragments,android-activity,message

Here's the solution: Step 1 : From your fragment. Intent i = new Intent(getActivity(), YourActivity.class); i.putExtra("key", "Your value1"); i.putExtra("key2", "Your value2"); i.putExtra("key3", "Your value3"); getActivity().startActivity(i); Step 2 : In your Activity where you want the result Intent getResults = getIntent(); String firstValue = getResults.getStringExtra("key1"); String secondValue = getResults.getStringExtra("key2"); String thirdValue...

Broadcast Message in Java

java,message,broadcast,corba

I suggest you to use java messaging service and one of it's implementations such as ApacheMQ. A good starting point is here....

how to disable setOnItemSelectedListener(listener) Toast message

android,message,toast

Global boolean: public boolean userSet = true; On Create: Bundle extras = getIntent().getExtras(); if (extras != null) { userSet = false; mTemp.setOnItemSelectedListener(null); String weather = extras.getString("weather"); String tempStr = extras.getString("temp_str"); if (weather.equals(Weather.UNAVAILABLE)) { mWeather.setSelection(adapter.getPosition(Weather.ANY_WEATHER)); if (toast != null) { toast.cancel(); toast.getView().setVisibility(View.INVISIBLE); toast = null; } } else { mWeather.setSelection(adapter.getPosition(weather));...

Multiple values in single input field using php.

php,wordpress,input,message

You can the jquery multiple value input autocomplete and can separate the values using the PHP explode function....

How to generate alert if first 4 digits in a string are zero using Javascript

javascript,jquery,regex,message,alert

You can use native .slice() if("000056789".slice(0,4) === "0000"){ alert("Cannot start with four zeroes"); } Basically you can just do .slice(0,4) on your input string and validate if it is 0000...

Java, default exception messages

java,exception,message,default

How can I found out, for any exception, either checked or unchecked, what the default message would be that the JVM would display? As you might already suspect, the answer is "in general, you can't". Most of the time, the message is set from one of the constructors of...

Manually added faces message doesn't appear in tab of accordion panel

jsf,message

The client ID in addMessage() must be valid in order to get the message to show up at the desired place. You already took into account that the <h:form> is a NamingContainer and thus prepends its component ID to the client ID of the children. However, you overlooked that <p:accordionPanel>...

Compare Message_read From Arduino

string,bluetooth,message,equals

The best thing to do here is to try to convert readMessage to an integer, and then compare that integer to your different numbers. The parseInt() method tries to do the conversion, throwing an exception if it fails. case MESSAGE_READ: byte[] readBuf = (byte[]) msg.obj; // construct a string from...

Launch default SMS app without a message

android,android-intent,text,sms,message

Intent intent = new Intent(Intent.ACTION_MAIN); intent.addCategory(Intent.CATEGORY_DEFAULT); intent.setType("vnd.android-dir/mms-sms"); startActivity(intent); This may be what you want....

how can I change the implementation of FlashBag messages in Symfony2

session,symfony2,message

You can specify it in your parameters.yml as such: parameters: # your parameters session.flashbag.class: Symfony\Component\HttpFoundation\Session\Flash\AutoExpireFlashBag But as advised in the above comment it's there only for legacy reasons and is for example not ESI-compliant. ...

html no error message displayed [closed]

php,html,message

As noted above, you need a semicolon, ";" at the end of line 79: echo $donnees['NOM_LIVRE'], $donnees['AUTEUR'], $donnees['DATE_PARUTION'],$donnees['PSEUDO_POSSESSEUR']; After adding this, I was able to successfully run your script and see the books available....

HTML creating a text box for a form

html,forms,input,textbox,message

You need to use tag as follows. <p> <label for="from">Your message:</label> <br /> <textarea name="message" id="message" style="height: 200px; width: 1100px;" onclick="this.value=''">Enter text here...</textarea> </p> I hope this is what you are looking for. Regards....

Invalid operands to binary expression error message

c++,binary,expression,message,operands

#include <iostream> using namespace std; //we are going to use std::cin, std::cout, std::endl from the header file <iostream> int main() { int days=0, hours_worked=0; //why not just declare it as integer? cin >> days; //you need to write it without "" otherwise its treated as a string and not a...

Spring Integration Parallel Processing without Aggreagation

java,spring,message,spring-integration,duplicate-data

Maybe you can try to use a publish-subscribe channel with 2 subscribers: - the standard flow to follow - the duplication flow On the duplication flow, you may use a filter to choose if a message should be send or not. It may be something like this: <int:publish-subscribe-channel id="parallelChannel"/> <int:chain...

JMS Message Persistence in Wildfly 8.0 server

java,jboss7.x,message,wildfly,persistent-storage

HornetQ, the JMS implementation bundled with WildFly, uses persistent storage by default. This is true at least for 8.2.0.Final, I didn't check earlier releases. "Persistent" and "database" are not synonymous. HornetQ uses the filesystem for persistence, but that shouldn't really make a difference to your application....

ISupportIncrementalLoading Collection - notify UI when LoadingMoreItems is in progress

c#,windows-runtime,windows-phone-8.1,message,statusbar

Well you can for example: inherit from ObservableCollection and implement ISupportIncrementalLoading like this: class IncrementalLoadingObservableCollection<T> : ObservableCollection<T>, ISupportIncrementalLoading { private readonly Func<CancellationToken, Task<IEnumerable<T>>> _provideMoreItems; public IncrementalLoadingObservableCollection(Func<CancellationToken, Task<IEnumerable<T>> provideMoreItems) { _provideMoreItems = provideMoreItems; } public...

Echo a message after an if statement and display it near the dropdown list

php,echo,message

Try this - it has the following advantages: it saves you a lot of code looping instead of hardcoding every year option the form keeps whatever value was previously chosen it puts in whatever error message you want right after the select <label style="color: #01ACEE; font: bold 14px Tahoma;"> Start...

Trustchain error NetTcpBinding with message (username) security

wcf,authentication,message,username,nettcpbinding

The issues is most likely caused by a self-signed certificate that is not “trusted” by the client. In order to accommodate this scenario, you have a few options: Import the self-signed certificate into the client machine’s “Trusted People” store. Follow the MSDN guidance to Create and Install Temporary Certificates in...

Erlang drop messages

erlang,message

Separate message receiving from message handling proxy(ServerPid, NrOfReq, MaxReq) -> receive {client_request, Request, ClientPid} -> if NrOfReq < MaxReq -> New = NrOfReq + 1, ServerPid ! {Request, ClientPid, self()}; true -> 'message-dropped'; end; ready_to_serve -> New = NrOfReq - 1 end, proxy(ServerPid, New, MaxReq). Or else make fallback...

Faces message added in getter method doesn't display in messages component

jsf,rendering,message

You're basically trying to add a faces message during render response. It will be too late if the message(s) component was already rendered for long at that point. <h:messages /> ... <h:someComponent someAttribute="#{bean.someMethodWhichAddsMessage()}" /> It will "work" if you swap around the components....

How to set my application as default to receive SMS

android,sms,message,hangout

How to set your app as default messaging app? Intent intent = new Intent(Telephony.Sms.Intents.ACTION_CHANGE_DEFAULT); intent.putExtra(Telephony.Sms.Intents.EXTRA_PACKAGE_NAME, YOUR_PACKAGE_NAME); How to check if your app is default messaging app? @TargetApi(Build.VERSION_CODES.KITKAT) public static boolean isDefaultSmsApp(Context context) { return context.getPackageName().equals(Telephony.Sms.getDefaultSmsPackage(context)); } From the preference activity add OnPreferenceClickListener and add the following code inside it which...

Use case for Akka PoisonPill

akka,message,fault-tolerance

We use a pattern called disposable actors: A new temporary actor is created for each application request. This actor may create some other actors to do some work related to the request. Processed result is sent back to client. All temporary actors related to this request are killed. That's the...

Is it possible to make a pop up message without clicking on any button?

android,popup,message

Just put the code you wrote inside the the Activity's onCreate() method. @Override protected void onCreate(Bundle savedInstanceState) { AlertDialog.Builder myAlert = new AlertDialog.Builder(this); myAlert.setMessage(username) .setPositiveButton("Continue", new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); } }) .setTitle("Welcome To iShop!") .create(); myAlert.show(); } ...

Best practice for ServiceBus message versioning

c#,version,message,servicebus

I have been looking at something similar but am yet to implement it so can't provide full guidance, but to answer your question on #3... I have messages which have a flag to re-queue the message to run again, e.g. to get a process to run every 5 minutes. So...

Secret message encrypt/decrypt ÅÄÖ

vb.net,encryption,message

You current code will work (as well as it does for English characters) if you simply add the Swedish characters to both sourceChars and resultChars like this. Dim sourceChars As String = " ABCDEFGHIJKLMNOPQRSTUVWXYZÄÖÅabcdefghijklmnopqrstuvwxyz0123456789äöå" Dim resultChars As String = "äöå36N8lkXruq94jMZInPpshR xHc2mTQb7eYai5ÄÖÅvGWDzFdoC0wKSBt1EOgVALJfUy" However, your code will fail if the input string...

xmpp messages are lost when client connection lost suddently

xmpp,message,ejabberd,xmppframework

I guess the reason is that B lost connection suddenly and the server still think B is online. Thus the offline message does work under this condition Yes you are absolutely correct,this is well known limitation of TCP connections. There are two approaches to your problem 1 Server side...

PHP: Display message at specific day and time

php,date,time,message

if ($current_day == "Monday") { if ($current_time >= 15 && $current_time <= 16) { echo "It's Monday and the time is between 3PM and 4PM."; } } ...

Android Messaging app - Client - Server Communication

android,client,message,server,whatsapp

You're going to need real time communication. Basic approach would be using WebSockets. I would recommend you to use socket.io that already makes use of webSockets and is very scalable. Going for node.js is a great life saver in this matter. There are many socket.io java clientsto use in your...

Redirect all Skype Messages from one profile to another

redirect,chat,message,profile,skype

Skype doesn't support incoming text messages - you can set up an SMS ID which allows you to send SMS messages from Skype and receive the answer to your mobile phone. To do this, go to Skype -> Preferences -> Messaging. After you have validated your mobile number, all SMS...

C++ Windows Not Getting Any Messages

c++,windows,message

This logic in StaticWindowsProcessCallback looks backwards: if (win_app != NULL) { return DefWindowProc(wnd, msg, wParam, lParam); } If you don't have a pointer to the window wrapper object, you'll need to call DefWindowProc. So that should happen if (win_app == NULL). This is to handle a handful of messages that...

Push notification from app using Parse Sdk

ios,parse.com,push-notification,message

I think the problem is you aren't setting up the push query correctly, you need to query for an installation.. Need a setup like this: PFQuery *usernameQuery = [PFUser query]; [usernameQuery whereKey:@"username" equalTo:aName]; PFQuery *pushQuery = [PFInstallation query]; [pushQuery whereKey:@"user" matchesQuery:usernameQuery]; You also have to make sure that you have...

Perl pack()ing a message?

perl,word,message,pack

pack "v"x8 (which results in pack "vvvvvvvv", which can be written as pack "v8" for short) packs eight 16-bit numbers, yet you passed sixteen. If you have sixteen bytes already, you want pack 'C16', 0x00, 0x5D, 0x00, 0x09, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x09, 0x00, 0x5D...

Cluster PHP messages array

php,arrays,multidimensional-array,message

If you want to get an array with all the code in the input array you can use a simple mapping function: function mapping($x) { return $x['code']; } $codes = array_map(mapping, $ar); or as one liner: $codes = array_map(function($x) { return $x['code'];}, $ar); Once you have it, I think it...

Yii2 - How to add custom error messages on input fields

validation,label,message,yii2,rules

From what you described it seems that you changed the label displayed in the form, not attribute label. No need to duplicate error message and separate attributes to different rules, for most of the cases changing the attribute label in attributeLabels() method is enough. That way if you change the...

Messaging system flow into database

php,mysql,database-design,message,database-schema

Do I have to insert 2 records everytime a message was sent? (Sent and Inbox) No, just one time. Is that the best database schema to follow if I only need a Simple/personal message? I would recommend keeping it very simple. Note that "Sent_two" should obviously be "sent_to". This...

How to receive sms messages on raspberry pi

text,sms,raspberry-pi,message,twilio

You'd have to either expose the RasPi to the public internet (so Twilio's SMS callback could reach it), or use some proxy service in between. The proxy would capture the inbound callback, then the RasPi could either poll, or use some better method, to check for new messages (meaning, the...

PHP message based on a certain time on different days

php,timezone,message

The qualified help you requested comes in the form of the script below: Also note that in your code you have to use date('l') - lowercase L. The list of timezones you can use for date_default_timezone_set() can be found here: http://php.net/manual/en/timezones.php date_default_timezone_set('Europe/Amsterdam'); // set it to the right value $weAreOpen...

Is it possible to get the name of the file when opened with messagebox.askopenfile

file-io,tkinter,message,box

By suggestion, I discovered that there exists another function similar to messagebox.askopenfile, askopenfilename, that instead of opening directly the file, returns just the name of the file. If we want also to open the file, we can open and read it manually: file_name = filedialog.askopenfilename(initialdir='./') if file_name != '': with...

displaying message users in Laravel

php,mysql,laravel-4,message

After several try, I ended up in creating a field for conversationId and grouped the messages under that id so that there is only one unique conversationId between two users $message = Messages::whereRaw("(sender_id, `users_id`, `created_at`) IN ( SELECT sender_id, `users_id`, MAX(`created_at`) FROM messages WHERE `users_id`=$userId or `sender_id`=$userId GROUP BY conversationId)")...

Validation on selectOneMenu to display message in a SPAN

jsf,message

That's indeed the default output of a <h:messages>. Just use <h:message> instead of <h:messages> if you intend to display a single message instead of a list of messages (click the links, you'll see that it clearly describes how they are encoded to HTML). <h:selectOneMenu id="foo" ... /> <h:message for="foo" />...

FluentValidation - How to customize the validation message in runtime

c#,validation,message,fluentvalidation

As I had a complex scenario, the solution that solved my problem was found here: Custom Validators. Here's the validator code: public class FooValidator : AbstractValidator<Foo> { public FooValidator() { Custom(foo => { var repo = new Repository<Foo>(); var otherFooFromDB = repo.GetByName(foo.Name); if (!otherFooFromDB.Equals(foo)) { return new ValidationFailure("Id", "The foo...

Is there anyway to trace a MuleMessage to know what flows were executed?

java,mule,message,trace

Simple Solution :- In each of the flow place a logger with a value #[flow.name] ... This will help to detect which flow has been executed ... for example :- place a logger <logger message="Flow name:- #[flow.name]" level="INFO" doc:name="Logger"/> will get the flow name in console .. you can use...

Why Japanese IME always send WM_INPUTLANGCHANGE?

windows,message,ime

I Answer my question because i find the problem. if someone has a same problem, i want to give you some hint. when Keyboard Layout Change, it should be occur WM_INPUTLANGCHANGE. windows has a default Keyboard layout. and you can find these layout in registry. HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\Keyboard Layouts Alomost IME is...

Rails Signalling Server

ruby-on-rails,signals,server,message,webrtc

There is no need for you to implement a signalling server. Run an existing one independent of your rails app. E.g. if you're using SIP have a look at Kamailio or Asterisk. Or in your case something like Signalmaster might be easier. The signalling "part" of your application will be...

C# connection to SQL database error

c#,asp.net,sql-server,message

The error message tells you that something in your input values is too long to be stored in the designated column. Without knowing the size of your columns is difficult to propose a correct solution so, assuming that you have reasonable limits in the database fields like in this hypotethical...

Event in Maya Api to capture currentTime / frame change

c++,events,callback,message,maya

You can use MEventMessage to setup a callback every time frame/current time changes. Code speaks louder than words, so here's some code with comments interspersed to illustrate how to set this up: (TLDR for the impatient first, full code excerpt will follow in the next section) TLDR: A code summary...

chrome extension message passing empty div

javascript,google-chrome-extension,message

You are getting an empty string because innerHTML returns the HTML syntax describing the element's descendants, and in this case the div has no descendants. If you want to include the parent element in the HTML returned you should use outerHTML instead.

Child windows does not receive WM_DESTROY?

windows,winapi,message

They certainly do get that message. But their window procedure is inside Windows, not inside your program. So you never see it. Something you can read in the MSDN documentation, note how WM_DESTROY doesn't get any special treatment. Nor generate a notification that your parent window can see. Short from...

How to track sent messages (SMS) in android?

android,sms,broadcastreceiver,message,android-broadcast

Create a ContentObserver public class InboxContentObserver extends ContentObserver { ContentResolver cr; Context ctxt; public InboxContentObserver(Handler handler, Context ctxt) { super(handler); this.cr = ctxt.getContentResolver(); this.ctxt = ctxt; } @Override public void onChange(boolean selfChange) { super.onChange(selfChange); Log.i(TAG, "Starting sms sync."); new Thread(new Runnable() { @Override public void run() { Cursor sms_sent_cursor =...