Operation Green Blood

this is in extension of thread
http://forum.java.sun.com/thread.jsp?forum=31&thread=303696
thanks for flag -Xmx128
but here is the code
PLEASE HELP IN MAKING THIS "A everytime working code.."
OPERAION GREEN BLOOD
This source is made by ballubadshah
the code changes supported audio  file into reverse direction
well the code is complete but not stable.
The comment in between the code gives the details for the mission
see description and mission below
import java.awt.*;
import java.io.*;
import java.net.*;
import javax.sound.sampled.*;
public class backmasking
  public static void main(String args[])
    if (args.length == 0)
      System.out.println("Usage : java backmasing audiofilename  ");
      System.out.println("---------------------------------------");
      System.out.println(" please provide satan a audio file     ");
      System.exit(0);
      System.out.println("-------Welcome to the world of Satan------");
    final int bufSize = 16384;// some buffer
    File file1 = new File(args[0]);// here is the input wavfile
    AudioInputStream ais1 = null;// a ais init
    try
    ais1 = AudioSystem.getAudioInputStream(file1);
    }catch (UnsupportedAudioFileException e)
    {    System.out.println("File Format not supported. \nTOO BAD");  System.exit(0); }
    catch  (IOException ee)
    {    System.out.println("File "+file1.getName()+ " not found.\nTOO BAD");System.exit(0);}
    AudioFileFormat.Type aff = null;
    try
    aff= AudioSystem.getAudioFileFormat(file1).getType();
    catch(UnsupportedAudioFileException uafe)
    { System.out.println("Some error has occured in file format\nTOO BAD");System.exit(0);}
    catch(IOException uafe)
    { System.out.println("Input / output error");System.exit(0);}
    // file format
    System.out.println("Satan is processing your file ...");
    System.out.println("Satan says ...");
    System.out.println("Audio file type = "+ aff);
    System.out.println("AudioInputStream = "+ais1+" GOOD");
    AudioFormat af1 = ais1.getFormat();      // this af is used  later too
    System.out.println("AudioFormat = "+af1+" GOOD");
    int frameSizeInBytes = af1.getFrameSize();
    System.out.println("FrameSize in Bytes = "+frameSizeInBytes);
    long leng = file1.length();// leng is file length
    System.out.println("FileLength = "+leng);
    AudioFileFormat.Type aff[] = AudioSystem.getAudioFileTypes(ais1);// file format
    for (int i = (aff.length-1) ;i >= 0 ; i--)
      System.out.println(aff);
//reversing process
int stop = (int)leng-1;
// System.out.println("I am Here");
long framelength = ais1.getFrameLength();
System.out.println("Frame length = "+framelength);
---description...
before this comment the data from a wav file is taken.
after this...
bytes are fetched from audioinputstream ais1 of that file
these bytes are rb[].
then these bytes rb are send to a file some temp file...
this is done bcos of lack of memory available...
then later after part ONE
these rb again taken from tempfile are send to audioutputstream
for getting a reverse of actual wav file...
--- mission
i want to have reverse of audio wav file
with support for large size files
cos my one does not support large file size
nor i think it is the best...
i want it to be working for every file
so edit this code and send
else give a appropriate hint...
byte rb[] = null ;
// try
rb = new byte[stop];
// catch (IOException ee)
// {System.out.println("The file size is too big./nTOO BAD");System.exit(0);}
//i dont want to get the above error ee in code for any file size
//means if stop is bigger than RAM then outofmemmoryerror will occur
//this is very cheap but ...
//try giveing any other alternative too...
System.out.println("Reading file "+file1.getName());
try
stop=ais1.read(rb);// all file bytes are read here into rb
}catch (IOException ioe){System.out.println("some good error");}
System.out.println("Byte rb length = "+rb.length);
System.out.print("Phase 5 complete / ");
System.out.println("Entering phase 6");
System.out.println("Stop = "+stop);
File file2 = new File("rv"+file1.getName()+".pramod");
System.out.println("Reading Complete...");
FileOutputStream fos2 = null;
try
fos2= new FileOutputStream(file2);
System.out.println("Writing reverse temp data to file "+file2.getName()+" takes time");
for(int l = 0 ;l < stop ;l++ )
fos2.write(rb[stop-l]);
}catch (FileNotFoundException e){System.out.println("File not found...");}
catch(IOException eeeee) {
System.out.println("File cannot be written some problem."); }
rb = null;
System.out.println("--------End of part ONE----------");
System.out.println(" Entering phase 666 ");
FileInputStream fis= null;
try
fis = new FileInputStream(file2);
}catch(FileNotFoundException ee){}
File filu= new File("rv"+file1.getName());
rb = new byte[stop];
try
// for(int l = 0 ;l < stop ;l++ )
fis.read(rb,0,rb.length);
}catch (FileNotFoundException e){System.out.println("File not found...2 time");}
catch(IOException eeeee) {
System.out.println("File cannot be written some problem. 2 time"); }
ByteArrayInputStream bais = new ByteArrayInputStream(rb);
// int frameSizeInBytes = af1.getFrameSize();
AudioInputStream audioInputStream = new AudioInputStream(bais, af1, rb.length / frameSizeInBytes);
try
AudioSystem.write(audioInputStream,aff, filu);
System.out.println("NEW REVERSE "+ aff +" FILE -- "+filu.getName()+" -- CREATED.");
System.out.println("BYE BYE from satan");
System.out.println("Well backmasking is famous because of satan.");
System.out.print("OPERATION GREEN BLOOD COMPLETE...");
catch(IOException eeeee)
System.out.println("File cannot be written some problem.");
System.exit(0);

And what about the other formats like au, aifc, aiff and snd?
The Java Sound API can handle these formats, so we should write methods that can handle that formats, too. Otherwise it won't be really platform-independent.
All formats are supported, because neither the order of the bytes is changed, nor the order of the samples. Only frames are reversed.
Okay, here is some code (Sometimes I think I'm stupid. I made a big mistake: processing the data in several chunks is really hard (or impossible) to implement, because the data from the end is needed at the same like the data at the begin. I'm sorry for that.)
import javax.sound.sampled.*;
import java.io.*;
public class ReverseFrames {
public static void main(String[] args){
  reverse(new File("c:/windows/media/chimes.wav"), new File("c:/temp/reversed.wav"));
public static void reverse(File myFile, File reversedFile){
   try{
   AudioInputStream ais = AudioSystem.getAudioInputStream(myFile);
   byte[] buffer = new byte[(int)reversedFile.length()];
   int read, totalRead = 0, framesize = ais.getFormat().getFrameSize();
   while((read = ais.read(buffer)) != -1){
    reverseBytes(buffer, read, framesize);
     totalRead += read;
   ais.close();
   ByteArrayInputStream bais = new ByteArrayInputStream(buffer);
   AudioInputStream audioOut = new AudioInputStream(bais, ais.getFormat(), totalRead/ais.getFormat().getFrameSize());
   AudioSystem.write(audioOut, AudioFileFormat.Type.WAVE, reversedFile);
  }catch(Exception e){
   e.printStackTrace();
public static void reverseBytes(byte[] array, int len, int framesize){
  byte temp;
  for(int i=0; i<len/2; i+=framesize){
   for(int j=0; j<framesize; j++){
    temp = array[i+j];
    array[i+j] = array[len-i-framesize+j];
    array[len-i-framesize+j] = temp;
}I tried it, it worked well. (I'm still angry with me about that thing with processing data in chunks. }:-( )

Similar Messages

  • CCMS/SAPControl Question

    Howdy !
    This will most likely be a question, that will be answered with RTFM, but ... I cannot find the manual pointing me the right way!
    So here my question :
    I am issuing the command : sapcontrol -host hostabc -nr XY -function GetAlertTree | grep -i "Average Response"
    Our prd systems gives me :
    "Average response time, 2731, GREEN, 1803 , 2010 11 29 14:00:23, , OPERATOR, GREEN, , , MTSYSID=ABC;MTMCNAME=ABC XY Serv ######### hostabc;MTNUMRANGE=005;MTUID=0000000308;MTCLASS=100;MTINDEX=0000000312;EXTINDEX=0000000179;"
    While the dev and qas systems return nothing. This is for sure a configuration problem. But I cannot find the place to fix it and have tried too many things ...
    All binaries/patchlevels are the same. As far as I can tell RZ20 and RZ21 look alike. There's got to be a difference, I just can't find ...
    So could somebody please, please enlighten me ... ?
    YOS, Markus

    Hi Sunil !
    Of course I am NOT sure.But how do I check or get it there ?
    Markus

  • WCS Alarm Status shows green but LAP is unplugged ?! Oper Staus shows Down

    Hello,
    we are operating a Cisco WLAN environment with 1242 and 1131 LAP. Some of them have been converted from AP to LAP.
    Now we took some LAP off the wall.
    They are now packed in a box in our storage room.
    But the WCS is showing a green Alarm Status for these LAP and as Oper Status Down.
    How can that be ?
    Is there a way to fix this problem, because we want to see the Alarm Status in Red.
    Thx for all your input.
    Best Regards
    Christian

    This is very interesting. If I try to put myself in the WCS developer's shoes, I think:
    - if you get an alarm for missing AP, then acknowledge the alarm, WCS has no reason to re-display the same alarm. This is precisely what Acknowledge is for, to say "don't bother me with this issue anymore".
    - Even if you manually remove the AP from WCS, it clearly keeps some memory of it, at least for a while. This is something you can clearly see if you run a report of any kind, WCS has to keep track of objects even if you remove them.
    My suggestion would be:
    - Unacknowledge the alarm, then delete it... acknowledging an alarm is probably not the best way to deal with removing an AP. You would use Aknowledge for alarms such as "your neighbour AP keep being detected as rogue, you can't remove your neighbour AP but don't want to hear about this warning anymore." You acknowledge the alarm, WCS keeps it in its database and remembers NOT to bother you with it anymore (exactly what happens in your case).
    For an AP you remove, I would not acknowledge the alarm, but simply delete it after having removed the AP. This removes the alarm from the WCS database.
    If you ever re-plug this AP to the network, WCS may remember it, but any new alarm about it will display.
    Hope it helps
    Jerome

  • MRS (Multi Resource Scheduling) - Show operation status in Planning Board

    Because the current MRS thread is some long and complicated I chose to move this question into a seperate thread:
    Initial question:
    Like many companies, it is not unusual at my customer for their Planners to create orders with multiple operations, particularly since many orders require different crafts to perform the work. When the Planning Board is launched and Planners lok at work scheduled for the past week they want to be able to see at a glance which operations have been completed and which operations, perhaps from the same order, have not and may need to be rescheduled. Their preference is to select "final confirmation" when using transaction IW41 and thereby set the operation system status to CNF when the work on an operation has been completed. They then want to somehow use this CNF operation status to drive something visual in the graphical Demand layout display and Resource layout display to enable the Planner to see at a glance that the operation has been completed. I've tried several approaches with configuration of abstract statuses and the user interface profile without success. My customer's interest in being able to see the completion status of an operation in the MRS Planning Board makes a lot of sense to me. I'm hoping someone can help me with a technique for modifying the Planning Board so that it displays the completion status of an operation in a visual way.
    Response from Varun Verma:
    Hi Mark,
    The problem at your customers end is nothing new.
    What you can do ( many other customers have done it in similar way ) is:
    1) you integrate the status CNF into MRS.
    Check the customizing: Basic Settings -> Assign ERP Objects -> Status
    2) configure in MRS that for status CNF, the assignments and demands (only in item work list or Hotlist) is colored to GREEN (or any other color)
    Check customizing: Set Up Scheduler Workplace -> Workplace Profiles -> Define User Interface Profiles
    Thus the users will know visually, that the green colored assignments are already completed.
    By the way, in your work list you can also filter the demands based on their status
    Regards
    Varun.
    Followup question:
    Varun,
    Thanks for the response.  I thought I had tried this but perhaps it's because in the UI profile I had not entered something in both the status groups for assignments and the status groups for demands.  I have a bit more testing to do but it appears that the demand status now gets updated from the operation status of PCNF (linked to abstract status WORK_START) and CNF (linked to abstract status WORK_STOP).  I also get a red bar (C4) for PCNF and a green bar (C1) for CNF.  Do you have a better status group I should be using in place of C1 and C4?  Status groups C1 and C4 give me a bar but it doesn't look like the demand bar with a outline and alphanumeric description of the demand, it's just a colored bar.
    I know the work list can be filtered based on their MRS "planning" status, however, it doesn't appear to permit filtering by the status of the operation unless I add the operation status as an additional field in the worklist.  Is there something I'm missing here?  And even if it did, my customer wants to be able to see the CNF status indication in the Demand layout and schedule using the work centers so the worklist is not being shown like it is in the Resource layout.
    Mark
    Edited by: Mark Scott on Aug 10, 2009 3:35 PM

    Hi Mark,
    Well I assumed that you have confirmations integration active !! But I guess not because you say that the status is not integrated always.
    What you need to do:
    1) I assume you have SP05 or later.
    2) Implement the user exit: CONFPM05. In the implementation of this exit you need to call FM: /MRSS/RSG_PM_ORDER_CONFIRM
    3) Go to customizing: Basic Settings --> Assign ERP Objects --> Status
      -- Here, define an abstract status (MRS Status) for confirmed and partially confirmed
      -- map it to R3 status CNF and PCNF.
    After this, whenever you enter confirmation for PM order from transaction IW41, the status will be integrated.
    Now you can use the MRS statuses defined in step 3 to configure the colors.
    Implementing the user exit CONFPM05 might require some technical input. But it is easy. Just a few double clicks and copy paste.
    Contact an ABAP developer for the same.
    This should solve your issue.
    Regards
    Varun

  • Data folder can not be opened in finding " AirPort Time Capsule " The operation can not be completed because the original item for " data" does not exist .

    Hi
    I have a " AirPort Time Capsule " (firmware 7.7.3) When I try to open the data folder in "finder". Then I got the message  " The operation can not be completed because the original item for " data" does not exist". I have a lot of data and I can understand why I get this message?
    Anyone who can help? Thanks..
    Br. Bo

    Get a USB drive of 2TB or more.. assuming your TC is 2TB. Either preformatted Mac or plug into your Mac and format it standard Mac OS Extended Journaled in disk utility.
    Do a full archive of the TC. You do this using airport utility. Do not click the erase disk.. I marked in green.. just the archive.. that is to backup the internal disk to the USB disk. It is not fast.. take it that the process will go at around 40-50GB/hr.
    Once you complete the archive .. it is a direct image of the data on your TC.. you can then plug it into your computer directly.. and then try and open the files you lost.. if you cannot open them.. open disk utility and fix the permissions.
    http://osxdaily.com/2015/01/13/repair-disk-permissions-mac-os-x/
    Or try the methods apple recommends..
    OS X Yosemite: Set permissions for items on your Mac
    It is possible to fix things on the USB drive because it is locally mounted.. but you cannot fix it on TC which is network drive.

  • Green screen, downlading files and updating programs often stuck at 99%.

    Okey so I have got this problem for a 20 days, since I build my own computer. Some videos on youtube and other video stream sites bug out in the way that the video just goes green, and starts fast forwarding. Then I think streams on twitch.tv for example, I cant watch a stream for longer than 20 second and the video gets frozen and the stream needs to be refreshed. And updating games, downloading files often gets stuck at very end of the progress, and it wont succesfully download or update. Im not sure is it about Flash Player/Shockwave Player but if there doesnt come example green screen it may show something like you are missing add-on Flashplayer but when i refresh the page it may run the video fine for some time.
    The problem rarely happens at youtube but heres one where it happened Crs Piglet (Vayne) first ever NA Penta - YouTube
    Heres video where the video didnt start at all and aswell when it did the screen gone green again and fast forward. (contains adds) http://www.thevideo.me/kmqcwhblzheh
    Heres screenshots and one bad quality phone photo album of these problems, green screens, videos stuck, downloading stuck and updating stuck 99-100%. Imgur
    Heres my computer specs:
    My operating system is:          Microsoft Windows:  8.1 Pro, 64-bit
    Processor:                             Intel(R) Core(TM) i5-4690K CPU @ 3.50GHz
    Graphic card:                         Nvidia GeForce GTX 760     Driver updated to: Geforce Game Ready Driver 347.52.
    Memory (ram):                       8GB
    Motherboard:                         MAXIMUS VII RANGER
    Dont know what else info I could put on about my computer really... I have tried to find answer, like disabling hardware acceleration, deleting flashplayer memory file, safe modes and all kind of tips I as able to find from internet.
    And I use mozilla firefox (36.0), but the problems happens aswell in Internet Explorer. I have updated Flash Player (16,0,0,305), my drivers (Geforce Game Ready Driver 347.52), all windows updates, java(1.8.0?), but still cant find the answer why watching videos/streams work well.
    Im sorry if I missed some info but ask if theres something.

    The green screen means that hardware decoding has failed.  It's probably a subtle, intermittent driver bug.
    You can disable hardware acceleration in Flash to avoid this while you wait for updated drivers to become available:
    Video playback issues

  • Operational Issues vs Operator Error

    The concept of the Android operational system got many rave reviews, and many positive comments regarding the many things an android phone can achieve.  However,  as a functionally smartphone to use in business to organize, file and utilize contacts, it falls short in the performance department.  Many of the primarily functions as a smart phone of the Droid X falls short and at this time after nearly four months and 4 droid's, the solution appears far in the distance.
    I am presently using my 4th Motorola Droid X, which all the 3 previous models were deemed defective by Motorola & Verizon Tech's.  I find it interesting that it appears that despite numerous telephone calls for help & assistance, that I am told by both Motorola & Verizon support that the following concerns do not show as problems with the Droid X.  After spending over 7 hours with a Level 3 directed Motorola Tech, after spending hours with a Verizon Tech, that "there are more people having issues with the DROIDX than I want to know."  this was told to me after I inquired that I just couldn't be the only user to file concerns about the product.   So I ask you try to see if you experience any of the listed problems below and please respond.  This is the only way we are going to get both Verizon or Motorola to take immediate action. 
    Don't believe me... Get out your DROID X now and try the following:
    1. Why when selecting either a phone number, address or email as "DEFAULT", absolutely nothing is displayed to indicate that a default was set?   
             SOLUTION:  Upon selecting either a phone number, address or email as DEFAULT, why not have the entire entry change color to GREEN.  (keep in mind those that might be color blind).  Green is the color that means go, first, and is most easily viewed immediately.
    2. Why when selecting a contact to edit does information appear in different order in "edit" screen that in the "contact data screen.?
           SOLUTION:  Programmers you need to fix this discrepancy.  It is too confusing when trying to compare data.
    3. Why does the data also appear differently in different order when comparing information to that which is displayed on google.account?
           SOLUTION:  See answer to number 2.
    4. Why when conducting searches in which many of the contacts have similar names (like "Marina") that the search will not list all of the contacts matching criteria requested in search?
           SOLUTION:  Correct search criteria to examine all data fields and to ensure multiple entries in each field is identified by the search feature. 
      NOTE: it would be nice that when search results are listed that user have the option to see requested search first rather than all other contacts that have matching criteria.  Example.  if searching for Marina,  if typing Ma...  as the letters are typed only list those matches that the MA is matching as the first two characters FIRST rather than every match that contains the letters MA. 
    But still problem remains that the search criteria leaves out contacts that have the exact match requested criteria.
    5.  Why have the ability  to create groups if groups will not sync  between the phone and gmail? 
        SOLUTION:  Programmers need to investigate and determine why when creating groups on the phone or on gmail do not sync.   If the phone is designed to be a phone to work with the google /gmail features, then perhaps all of the features should be tested... or make a disclosure prior to sale of functions that do not work.
    6. Does this Droid X, have the ability to work as designed with more than one gmail contact?  IF YES, then how is a particular gmail account linked to a contact?  Can this contact gmail link be changed or linked to more than one email without having to retype contact data?  There appears to be no method in which to select a gmail in which to link a contact?
           SOLUTION:  enable feature to select which account to link a contact.   Also, enable ability to select multiple links and/or ability to switch links.  
    7. What causes differences in total number of contacts on the phone than that listed in the gmail account?  Phone constantly shows fewer contacts than the gmail account,  in my case, there are (402) missing contacts on the phone?
          SOLUTION:  There should be mathematical check to ensure contacts match both phone and gmail account and an error message when the count differs.   NOTE: is there a problem not disclosed regarding an OUTLOOK C.V. file not syncing with a google account data?
    8. Constantly getting message:  SORRY, The application Google Services Framework (process com.google.process.gapps) has stopped unexpectedly. Please try again.   FORCE CLOSE.   Why? What is constantly not working?
      NOTE: This problem appears,often several times, then is followed by phone resetting itself. 
            SOLUTION:  BE PRO ACTIVE IN NOTIFYING CUSTOMERS USING EQUIPMENT OF ISSUES DEEMED NECESSARY TO BE ADDRESSED IN SOFTWARE FIX.  IN FACT, WHY NOT AN APPLICATION THAT IDENTIFYS ALL ISSUES WITH ANTICIPATED STATUS ON WHEN CORRECTIONS WILL BE FORTHCOMING.
    I  have spent the past 4 months extensively trying to work with Verizon and Motorola.  Verizon wants to blame Motorola and takes no responsibility for its beta team to find at least the above issues.  If they did find issues and know these issues prior to releasing the equipment for user usage, I believe Verizon owes every consumer a disclosure of known problems in advance.  Many of the above issues are so obvious it is impossible to believe these issues were not noted as problems prior to release.  I hold Verizon accountable for my data loss, the wasted time spent explaining over and over the problems, and I hold them accountable for failure to test the accessories prior to sale. 
    The DROIDX can be a great smartphone if it uses smart beta testers and if at the least the above issues can be resolved quickly. 
    What is your opinion? 

    frogman80 wrote:
    Don't believe me... Get out your DROID X now and try the following:
    Don't believe me... Get out your DROID X now and try the following:
    1. Why when selecting either a phone number, address or email as "DEFAULT", absolutely nothing is displayed to indicate that a default was set?
    The Default selected number moves to top of phone list for the contact and this is how you know it’s the default.
    2. Why when selecting a contact to edit does information appear in different order in "edit" screen that in the "contact data screen.?
    Same answer as previous question.
    3. Why does the data also appear differently in different order when comparing information to that which is displayed on google.account?
    Because the site has cells configured by category where the phone has order configured by user input.
    4. Why when conducting searches in which many of the contacts have similar names (like "Marina") that the search will not list all of the contacts matching criteria requested in search?
    I am unsure how you are searching but when I do a search all matches are listed from search criteria, Google search does this automatically but when you do it from phone dialer you have to press the arrow in left corner above input cell to display all found items that match search.
    5. Why have the ability to create groups if groups will not sync between the phone and gmail?
    Now this option I can agree needs some work but nothing is perfect
    6. Does this Droid X, have the ability to work as designed with more than one gmail contact? IF YES, then how is a particular gmail account linked to a contact? Can this contact gmail link be changed or linked to more than one email without having to retype contact data? There appears to be no method in which to select a gmail in which to link a contact?
    I do not know why you would want to have two accounts that would have the same exact information like contacts because the device pulls contacts from the phone book listing… But if you want to do this Google has a option from website to merge two accounts and I believe this should do just what you are wanting.
    7. What causes differences in total number of contacts on the phone than that listed in the gmail account? Phone constantly shows fewer contacts than the gmail account, in my case, there are (402) missing contacts on the phone?
    This can happen because on counts the number of numbers listed instead of the number of contacts, so if you have 4 numbers for a contact this will list a 4 in one area but only one in other location… I do agree that this is something that can make things a bit confusing at times.
    8. Constantly getting message: SORRY, The application Google Services Framework (process com.google.process.gapps) has stopped unexpectedly. Please try again. FORCE CLOSE. Why? What is constantly not working?
    This is most likely a incompatible app installed that it causing this controller to FC but I can not trouble shoot this issue because I haven't experience this problem myself.
    The DROIDX can be a great smartphone if it uses smart beta testers and if at the least the above issues can be resolved quickly.
    Beta testers can not take all users habits and installed softwares in consideration because there is to many new apps created daily and to many custom configurations done by so many users. I have developed a number of 3rd party apps for WM over the years and I can openly say that the chance of isolating all possible configuration issues is impossible, the SDK only allow you limited access to the systems base codes that makes a true custom code to overlay a UI a little complex.
    What is your opinion?
    Hope this cleared some things for you.

  • Android Issues? Operator or Operational System Problems?

    The concept of the Android operational system got many rave reviews, and many positive comments regarding the many things an android phone can achieve.  However,  as a funtionally smartphone to use in business to organize, file and utilize contacts, it falls short in the performance department.  Many of the primarly functions as a smart phone of the Droid X falls short and at this time after nearly four months and 4 droids, the solution appears far in the distance.
    I am presently using my 4th Motorola Droid X, which all the 3 previous models were deemed defective by Motorola & Verizon Tech's.  I find it interesting that it appears that despite numerous telephone calls for help & assistance, that I am told by both Motorola & Verizon support that the following concerns do not show as problems with the Droid X.
    Don't believe me... get out your droid now and try the following:
    1. Why when selecting either a phone number, address or email as "DEFAULT", absolutely nothing is displayed to indicate that a default was set?   
             SOLUTION:  Upon selecting either a phone number, address or email as DEFAULT, why not have the entire entry change color to GREEN.  (keep in mind those that might be color blind).  Green is the color that means go, first, and is most easily viewed immediately.
    2. Why when selecting a contact to edit does information appear in different order in "edit" screen that in the "contact data screen.?
           SOLUTION:  Programmers you need to fix this discrepancy.  It is too confusing when trying to compare data.
    3. Why does the data also appear differently in different order when comparing information to that which is displayed on google.account?
           SOLUTION:  See answer to number 2.
    4. Why when conducting searches in which many of the contacts have similar names (like "Marina") that the search will not list all of the contacts matching criteria requested in search?
           SOLUTION:  Correct search critera to examine all data fields and to ensure multiple entries in each field is identified by the search feature. 
      NOTE: it would be nice that when search results are listed that user have the option to see requested search first rather than all other contacts that have matching criteria.  Example.  if searching for Marina,  if typing Ma...  as the letters are typed only list those matches that the MA is matching as the first two characters FIRST rather than every match that contains the letters MA. 
    But still problem remains that the search criteria leaves out contacts that have the exact match requested criteria.
    5.  Why have the ability  to create groups if groups will not sync  between the phone and gmail? 
        SOLUTION:  Programmers need to investigate and determine why when creating groups on the phone or on gmail do not sync.   If the phone is designed to be a phone to work with the google /gmail features, then perhaps all of the features should be tested... or make a disclosure prior to sale of functions that do not work.
    6. Does this Droid X, have the ability to work as designed with more than one gmail contact?  IF YES, then how is a particular gmail account linked to a contact?  Can this contact gmail link be changed or linked to more than one email without having to retype contact data?  There appears to be no method in which to select a gmail in which to link a contact?
           SOLUTION:  enable feature to select which account to link a contact.   Also, enable ability to select mulitple links and/or ability to switch links.  
    7. What causes differences in total number of contacts on the phone than that listed in the gmail account?  Phone constantly shows fewer contacts than the gmail account,  in my case, there are (402) missing contacts on the phone?
          SOLUTION:  There should be mathatical check to ensure contacts match both phone and gmail account and an error message when the count differs.   NOTE: is there a problem not disclosed regarding an OUTLOOK CVS file not syncing with a google account data?
    8. Constantly getting message:  SORRY, The application Google Services Framework (process com.google.process.gapps) has stopped unexpectedly. Please try again.   FORCE CLOSE.   Why? What is constantly not working?
      NOTE: This problem appears,often several times, then is followed by phone resetting itself. 
            SOLUTION:  BE PRO ACTIVE IN NOTIFYING CUSTOMERS USING EQUIPMENT OF ISSUES DEEMED NECESSARY TO BE ADDRESSED IN SOFTWARE FIX.  IN FACT, WHY NOT AN APPLICATION THAT IDENTIFYS ALL ISSUES WITH ANTICIPATED STATUS ON WHEN CORECTIONS WILL BE FORTHCOMING.

    Thank you for your reply from the Droid (1) point of view.  However, the issues I have addressed are regarding the DROID X model only.  I am sure there are more issues that I have not discovered, but I am confident that these problems are NOT caused by operator error.  I look forward to any comments from those of you using the DROID X.  Let me know if you find any other problems.  OH.  Has anyone purchased the Navigational/Music Vehicle Mount by Motorola for the DROID X?  Has anyone found a "CASE" that allows you to use the Mount with the case still on the DROID X?  Motorola states that they do not make a case.  I wonder just how the prototype was developed with out an actual case to create the mount?  Sounds like possible class action material.  Build, Sell an accessory that can't support the accessory as advertised? 

  • Why has my monitor suddenly begun to have a moiré pattern all over – it is even showing up on my icons on the dock? It appears to be very thin bright green vertical lines. I have a 2008 iMac which is running 10.6.8. What does this mean?

    Why has my monitor suddenly begun to have a moiré pattern all over – it is even showing up on my icons on the dock? It appears to be very thin bright green vertical lines. I have a 2007 iMac which is running 10.6.8. What does this mean? I've attached some screen shots below.
    Also experiencing some funky issues with my wireless keyboard. With new batteries, it will just stop functioning. Certain keys intermittently won't work. Also the fans go on as soon as I turn the computer on - some times they stay on and sometimes they don't. Ever since upgrading the operating system - I've been having many issues with this iMac. Not happy. Any answers out there?

    Thanks for your reply LexSchellings, There is no disc in the drive and I went through the suggestions you put forward on the phone with Apple support without any luck. I can put a disc in but it pops straight back out again without registering on finder.
    The idea of using an external drive was to enable me to avoid the cost and loss of productivity whilst machine in repair... if I have to take it in to get the old drive removed than I might as well have a new internal drive put in, although I do worry about the reliability of these apple drives given my experience with this one coupled with my limited online research ... on line forums seem to be full of people with the same problem (although perhaps searching such forums is bound to make it seem a common problem as users with perfectly working machines are less likely to post (?)) Your reply suggests that no external drive will work whilst the existing drive is in place.
    As a postscript: I do realise that this is a user forum ...my secondary question was asking if anyone knows how to put forward a case/complaint to Apple... I can't find a link on the support page that would enable me to do so and I was wondering if anyone on this user forum had any ideas/experience..

  • Unable to include Operator Interface in TestStand deployment

    Hello.  I have created a test system using TestStand 3.5. 
    There is only one sequence file, and this sequence calls several VIs
    that I have created in LabVIEW 8.0.  I would like to distribute
    this test system to a target computer, which will then run the default
    Operator Interface.  No bells and whistles, just plain and
    simple.  However, I'm running into problems.
    First, I created a Workspace file in TestStand.  I then added a
    Project to it.  In the Project, I added all necessary files for my
    project (the sequence file as well as all of the custom VIs). 
    Then I proceeded to follow the TestStand reference manual in order to
    deploy my system.
    For reference, text in italics is the reference guide and text in bold is my comments.
    Deploying the TestStand Engine
    1. Launch the TestStand Deployment Utility by selecting Tools»Deploy
    TestStand System from within the sequence editor.
    I did this, and set up my build how I wanted it.
    2. On the System Source tab, enable the Deploy Files in TestStand User
    Directories option.
    This option collects files from the <TestStand>\...\User
    directories, so that any customizations that you have made to process
    models, step types, language strings, and so on, will be distributed to
    the target computer.
    I did this, and copied my Operator Interfaces\NI folder to Operator
    Interfaces\User.  This would assure (I hope) that I would have the
    default operator interfaces included in my project.
    3. On the Installer Options tab, enable the Install TestStand Engine
    option.
    Done.
    4. On the Installer Options tab, click Engine Options to launch the
    TestStand Engine Options dialog box, which you use to select the
    TestStand components that should be present in the installer.
    Done.  Everything is checked.
    In the TestStand Engine Options dialog box, expand Operator
    Interfaces»Full-Featured in the tree view.
    a. Click the X next to LabWindows/CVI to include the
    Full-Featured LabWindows/CVI Operator Interface in the engine
    installation. The X should become a green checkmark.
    b. Click OK to accept the new settings and close the dialog box.
    This is where things go wrong.  There is NO Operator Interfaces box in my tree view.  It simply doesn't exist.
    I've tried several different builds using different strategies. 
    I've done builds with the CVI operator interface in the User directory,
    and I've also tried copying over the files manually.  On the
    target computer, I've always gotten either an error message (Could not
    open the TestStand Engine), or else TestStand opens in evaluation
    mode.  In both cases, my custom VIs and sequence files are nowhere
    to be seen.  Can anyone shed some light on this?  It's
    driving me a bit crazy!
    Thanks very much,
    Brett Gildersleeve

    Hi Brett,
    Whenever you deploy your TestStand application to target machines, you will always needs a license.  The licenses for distributing TestStand are different than for distributing LabVIEW and LabWindows/CVI code modules.
    LabVIEW does not require you to purchase any run-time licenses for a deployment system. You can even run LabVIEW VIs in VI format (not executables) from TestStand without using the development environment and without an additional license.
    In order to run LabWindows/CVI code modules, you will need the LabWindows/CVI Run-Time engine which is also available free of charge.
    Regarding TestStand, you will need a license for each machine that runs a TestStand sequence. TestStand has three types of licenses which are the TestStand Development System License, the TestStand Debug Deployment Environment License, and the TestStand Base Deployment Engine License.
    TestStand Development System License
    The TestStand Development System License is required for any test sequence development and/or editing of existing TestStand sequence files that you perform within the TestStand Sequence Editor or programmatically using the TestStand API.
    TestStand Debug Deployment Environment License
    The TestStand Debug Deployment Environment License gives you maximum flexibility for deploying TestStand and LabVIEW, LabWindows/CVI, and Measurement Studio-based systems. This license allows you to install the development versions of TestStand, LabVIEW, LabWindows/CVI, and Measurement Studio, along with any corresponding add-on toolkits, so that you can debug your test application on your deployed test station. This license does not include the ability to perform any development tasks within the TestStand Sequence Editor or programmatically using the TestStand API.
    The TestStand Debug Deployment Environment License has debugging capabilities including settings breakpoints, monitoring variable values, and stepping into test code directly from the TestStand sequence.
    (Note: This license does not provide the software but rather gives you the right to install a previously purchased piece of software on the target machine.)
    TestStand Base Deployment Engine License
    The TestStand Base Deployment Engine License is the minimum license required for all deployed TestStand-based applications. This license allows you to deploy the TestStand Engine, a TestStand Operator Interface, and TestStand sequence files to the single test station for which the license is applicable.
    The TestStand Base Deployment Engine License provides simple sequence debugging capabilities, including setting breakpoints and single stepping through test sequences in your Operator Interface. You cannot save sequences and open the sequence editor.
    I hope this clears things up.
    Best Regards,
    Jonathan N.
    National Instruments

  • Magsafe light flashes orange/green

    I've just bought a used MBP 2.2 MHZ which operates fine except for switching back and forth between charging modes when the battery is around 85% full. The magsafe light stays orange a few seconds, then shows green for a second, then back to orange; the charging indicator on the screen switches at the same time. I swapped to a known working magsafe charger - same result. Operating on battery power is also a bit strange, with the available percentage of battery jerking around. Looking around, I see some 2007 and 2008 threads about this issue, but no final resolution at that time. Is there now a "bottom line" to this problem? Thanks!

    No, it's not a battery calibration issue - but it could be a bad battery. The flashing MagSafe is a hardware issue. Since the SMC is the controller for power systems, resetting it is about all you can do for 'software' type of fix. If that doesn't correct it, the problem is either with the adapter itself (which you apparently ruled out), with the battery, or with an internal component (more likely the left I/O board, but possibly also the logic board itself).
    The fact that your available percentage jumps around points to a deeper problem (time remaining can jump around depending on system load, but % charge should go in only one direction when running on battery).
    Given your symptoms, I'd be inclined to try a replacement battery first, before looking inside the case for a problem.
    If there's an Apple Store near you, make a Genius Bar appointment and let them have a look - they will be able to test the battery as well.
    If you like, post your Full Charge Capacity and Cycle Count (from Apple menu > About this Mac . More Info > Power) for a preliminary diagnosis...

  • Magsafe light is dim green and not charging properly

    Hello all,
    I am hoping that someone could help me out with this. I have a Mackbook unibody from 2008 with the most curent Lion operating system. I recently started having problems with the charing of my laptop. I was using my computer one day to the point that the batery got used up and the laptop turned off. When I brought it home to charge the magsafe light turned on very dim green. It took 4hours for me to be able to start up my computer and has taken 3 days to get to 90% charge which it does not seem to go over. Bellow I have pasted information about my battery which is about 8 months old (new one i bought from apple). For some reason if you look down in the battery information, it's saying that it's not charging. I don't have apple care and money to fix it, any advice would go a long way.
      Fully Charged:    No
      Charging:    No
    Battery Information:
      Model Information:
      Serial Number:    9G8******13DB
      Manufacturer:    DP
      Device Name:    bq20z951
      Pack Lot Code:    0
      PCB Lot Code:    0
      Firmware Version:    002a
      Hardware Revision:    5
      Cell Revision:    100
      Charge Information:
      Charge Remaining (mAh):    3787
      Fully Charged:    No
      Charging:    No
      Full Charge Capacity (mAh):    4217
      Health Information:
      Cycle Count:    59
      Condition:    Normal
      Battery Installed:    Yes
      Amperage (mA):    119
      Voltage (mV):    12291
    System Power Settings:
      AC Power:
      System Sleep Timer (Minutes):    0
      Disk Sleep Timer (Minutes):    0
      Display Sleep Timer (Minutes):    0
      Automatic Restart on Power Loss:    No
      Wake on AC Change:    No
      Wake on Clamshell Open:    Yes
      Wake on LAN:    No
      Display Sleep Uses Dim:    No
      PrioritizeNetworkReachabilityOverSleep:    0
      RestartAfterKernelPanic:    157680000
      Battery Power:
      System Sleep Timer (Minutes):    0
      Disk Sleep Timer (Minutes):    0
      Display Sleep Timer (Minutes):    0
      Wake on AC Change:    No
      Wake on Clamshell Open:    Yes
      Current Power Source:    Yes
      Display Sleep Uses Dim:    Yes
      Reduce Brightness:    Yes
      RestartAfterKernelPanic:    157680000
    Hardware Configuration:
      UPS Installed:    No
    AC Charger Information:
      Connected:    No
      Charging:    No
    Message was edited by: Host

    That battery information looks decent, low number of cycles, capacity is about right for that vintage battery, condition is Nromal as it should be, and the voltage is right where you want it, 12 to 12.5 volts.
    Have you worked through the knowledge base article on MagSafe connectors to see all is healthy on that end?
    If that is fine, then it could be an issue in the charging circuitry in the MB.  In which case it would be best to have an Apple tech at the genius bar run some diagnostics.

  • Odd, Green video in Adobe Premiere CS4?

    Hi! This has been happening to me a lot lately, and I really need a fix!
    When editing my projects, I will have imported a lot of video files.
    Before dragging those files into my timeline, I like to preview them.
    However, sometimes, the video does not play.  The sound does, but all I see in the preview are random frames from other video files that I have imported. (Ex. Say I preview a video of a dog barking, which works.  Then, I try to watch a video of a cat meowing.  I hear the cat perfectly, but random frames from the dog video are all I see in the preview area.)
    Random videos also turn green when previewd.  I will not be able to hear them, like last time, but the whole frame is green and I will not be able to see them. On the timeline they are black.
    I usually solve this problem by restarting, but I have to get this project done!
    I recently imported a WAV file and an mp3 file into my project. ***The video files are in MP4 video format.
    OS: Windows 7 64-Bit Home Premium
    Processor: Intel(R) Core(TM)2 Quad CPU    Q8400  @ 2.66GHz (4 CPUs), ~2.7Ghz
    Memory: 6142MB RAM
    Card name: ATI Radeon HD 4650
    Everything is on my C:/ Drive.

    Hi Everyone,
    Thanks so much for the initial response to my question - I really appreciate it!  Everyone in this forum is EXTREMELY helpful, and I hope I can find a solution.  I have taken your advice and am currently going through all of the troubleshooting stages listed in the above, but, have not yet had any luck thus far.  I figured I would post here, while I continue to troubleshoot on my end.
    Specific Problem:
    I have several .mp4 video files in my project timeline that I captured via a Hauppauge HD PVR capture card.  When I load the project, only some of the videos do not load properly.  The thumbnail photos for the videos that don't load properly are simply green, and when I play it, only the audio from the clip properly plays.  The video is either just a green screen, or it is a black screen with random still images from OTHER video files I have in the timeline.  When I restart the computer, and re-open the project, the affected video files are different every time.  I have about 40 or so different clips in this project, and the ones that seem to get affected by this problem are the ones that are last to load.
    Also, once the project is loaded, and I see that some of my video files are affected by this problem, the computer seems to really lag, and Premiere Pro has trouble operating.  Premiere Pro often gets the (Program Not Responding) message, and I have to force close it, and restart my computer, to ensure a fresh start.
    Also, when this PP is having its problems, my whole computer slows down.  I have a widget on the desktop that shows CPU and RAM usage.  When PP is having its problems, the RAM meter goes up to 95 - 100%.
    What I've Learned So Far:
    I downloaded and ran the Sherlock Codec Detector and the Gspot Codec program, and have determined that my computer is missing the following codecs:
    Broken Codecs
      "MainConcept (Adobe2) AAC Decoder"
         FileName       = "C:\Program Files (x86)\Adobe\Adobe Premiere Pro CS4\ad2daac.ax"
      "MainConcept (Adobe2) H.264/AVC Decoder"
         FileName       = "C:\Program Files (x86)\Adobe\Adobe Premiere Pro CS4\ad2dsh264.ax"
      "MainConcept (Adobe2) H.264/AVC Video Encoder"
         FileName       = "C:\Program Files (x86)\Adobe\Adobe Premiere Pro CS4\ad2evh264.ax"
      "MainConcept (Adobe2) MPEG Audio Encoder"
         FileName       = "C:\Program Files (x86)\Adobe\Adobe Premiere Pro CS4\ad2mceampeg.ax"
      "MainConcept (Adobe2) MPEG Video Encoder"
         FileName       = "C:\Program Files (x86)\Adobe\Adobe Premiere Pro CS4\ad2mcevmpeg.ax"
    When I click on each of the codecs, I get the following error message: "The driver file for this codec was not found. This probably means the codec was not unistalled properly".
    In Gspot, I have similar results, and it says the file is missing for these codecs.
    Do you guys think this is the problem?  If so, would it be a simple fix as to just download the codecs I am missing?
    My System Info:
    Codecs - avc1
    Name: H.264/MPEG-4 AVC
    Status: Codec Status Undetermined (what does this mean)
    Premiere Pro
    Version number - CS4 version 4.2.1
    Installation language - English
    Updates applied - Not sure
    Project/sequence settings - XDCAM EX > 1080i > XDCAM EX 1080i 60i (HQ)
    Operating System
    Name - Windows 7 Professional
    Update/patch level - ??
    Installed language - Enlgish
    Display resolution and color depth. - 1920 x 1080, not sure on color depth
    CPU type and speed - Intel(R) Core(TM)2  Quad CPU    Q8400 @2.66GHz    2.67GHz
    Amount of memory (RAM) - 6.00 GB
    Video card
    Manufacturer - NVIDIA
    Model - GeForce GT 330M
    Driver version - 8.16.11.8959 (3/15/2010)
    Number of monitors (displays) in use - 1
    Audio card
    Manufacturer - Realtek
    Model - Realtek High Definition Audio
    Driver version - 6.0.1.6005 (12/16/2009)
    Each hard drive's capacity and space remaining
    301 GB free of 455GB
    No partitiaons
    EVERYTHING is on the C drive - OS / Project / Media
    Hardware capture device
    Manufacturer - Hauppauge
    Model - HD PVR
    Driver version number - 1.5.6.1
    Capture
    software
    Name - ArcSoft
    Company - TotalMedia Extreme
    Version - Copyright 2007?
    No Error Messages
    The video files I am using are all .mp4 files that were obtained from the capture card, that were originally puleld from a DirecTV HD DVR satellite receiver.  From Gspot, one of the video's information is as follows:
    3gp4: 3GPP Media (.3GP) Release 4
    - isom: MP4  Base Media v1 [IS0 14496-12:2003]
    Recommended Display Size: 1920 x 1080
    Created: 2011 Apr 05   11:54:37
    Modified: 2011 Apr 05   11:54:37
    Thank you all in advance for your suggestions.  Please let me know if I can provide any other information.

  • A family member set up my time capsule, promises that it is set up correctly but the light on the capsule isn't green, it is yellow, what does this mean?

    A family member set up my time capsule and sayy it's workign correcly but the light on it isn't green, it is yellow...what does this mean?

    If the Time Capsule is operating normally, the light will be green.
    If the amber light is blinking, something is not adjusted correctly, or there may be an update available for the Time Capsule.
    Do you have the device that was used to set up and configure the Time Capsule there?  Is this a Mac?  If yes, we need to know what operating sysem it is using.
    If you are not sure, click the Apple icon in the upper left corner of the screen and then click About This Mac. Post back with the OS X Version number that you see there.

  • My IMac has stopped seeing the keyboard. I have changed the batteries and the green light comes on saying it is looking to pair with the IMac but without success. I am left with the IMac switched on and I am unable to enter a password.

    I have been using my IMac without a problem when I left it and went back to enter the password the IMac did not see the keyboard. I have changed the batteries and the green light comes up on the keyboard and then starts to flash indicating it is looking for the IMac but nothing happens. I have tried another set of new batteries with the same result. Is there any known problems in this area. The IMac is 5 months old.
    Thank you for any help

    What operating system does your iMac have? (please always post your operating system to prevent confustion).
    If it's pre-Lion you will have to set Mail up manually:
    Entering iCloud email settings manually in Snow Leopard or Leopard
    Entering iCloud email settings manually in Tiger

Maybe you are looking for

  • COPA reporting using costing keys

    Hi, I am using costing keys to access the different cost estimates in COPA. I have done the necessary configuration - created valuation strategy and assigned a point of valuation and assigned two costying keys - one for current and one for future cos

  • How do i download a new font from the web then add it so i can use it freely in 'word'?

    I am having terrible difficulty using a font that i down loaded on to my macbook pro. I can see it in my font book but no matter what i do it does not appear in my 'Word' font library. Its in Font Book but it seems set to stay there and do nothing. I

  • Change of Material Type in Plants

    Dear Guru's, Good Day. I've two plant Codes Plant A and Plant B with one company code. Plant A Procures a Material(ABC) from an Vendor. Material type for ABC is maintained as ROH(Raw material). Plant B produces Material(ABC) inhouse and does STO to P

  • The sound on my iPad 2 has stopped working....

    The sound on my iPad 2 has stop working.....no sound in app, home screen, no locking sounds, keyboard clicks, no music, no movies.....no nothing! I have reset settings, I have tried to reboot the iPad numerous of times, I have played with the slide r

  • How to increase the charecteristic description length Copa report

    Hi All I built a copa report with material and customer as characteristics for a drill down report. Unfortunately, the total description of the material is not showing up in the report. Is there any way that we can increase the description field leng