[11g] Datapump Export "job_state" comes back "STOPPED" but no error in log.

Hello,
First of all, here are the SQL statements that I'm executing:
BEGIN :JobId := Dbms_DataPump.Open(operation => 'EXPORT', job_mode => 'TABLE'); END;
BEGIN
  Dbms_DataPump.Add_File(handle => :JobId, filename => 'MYORACLEBACKUP1', directory => 'ABAT_DUMP_DIR', filetype => 1, reusefile => 1); --DMP
  Dbms_DataPump.Add_File(handle => :JobId, filename => 'MYORACLEBACKUP.log', directory => 'ABAT_DUMP_DIR', filetype => 3); --LOG
  Dbms_DataPump.Metadata_Filter(handle => :JobId, name => 'SCHEMA_LIST', value => '''PRTO9A''');
  Dbms_DataPump.Metadata_Filter(handle => :JobId, name => 'NAME_LIST', value => '''ALERTS''');
  Dbms_DataPump.Set_Parallel(handle => :JobId, degree => 1);
  Dbms_DataPump.Start_Job(handle => :JobId);
  Dbms_DataPump.Wait_For_Job(handle => :JobId, job_state => :JobState);
END;Now, I actually construct this using C#, so "PRTO9A" and "ALERTS" are dynamically queried for. This means that they are definitely valid schemas / tables. Also, a consequence of using C# is that the two variables :JobId and :JobState come from the .NET implementation of this DB stuff (in other words, I specify "JobId" and "JobState" as input or output variables in the C# code before I run the query... JobId is an output variable in the first statement, but an input variable in the second one).
The result is that "JobState" comes back "STOPPED," which is documented as an error:
When WAIT_FOR_JOB returns, the job will no longer be executing. If the job completed normally, the final status will be Completed. If the job stopped executing because of a STOP_JOB request or an internal error, the final status will be Stopped.OK, so I get a "STOPPED" back, which means there's an error. Let me check the log file (MYORACLEBACKUP.log)...
Starting "SYSTEM"."SYS_EXPORT_TABLE_01": 
Estimate in progress using BLOCKS method...
Processing object type TABLE_EXPORT/TABLE/TABLE_DATA
Total estimation using BLOCKS method: 448 KB
Processing object type TABLE_EXPORT/TABLE/TABLE
Processing object type TABLE_EXPORT/TABLE/INDEX/INDEX
Processing object type TABLE_EXPORT/TABLE/CONSTRAINT/CONSTRAINT
Processing object type TABLE_EXPORT/TABLE/INDEX/STATISTICS/INDEX_STATISTICS
Processing object type TABLE_EXPORT/TABLE/CONSTRAINT/REF_CONSTRAINT
Processing object type TABLE_EXPORT/TABLE/STATISTICS/TABLE_STATISTICS
. . exported "PRTO9A"."ALERTS"                           250.6 KB     316 rows
Master table "SYSTEM"."SYS_EXPORT_TABLE_01" successfully loaded/unloaded
Dump file set for SYSTEM.SYS_EXPORT_TABLE_01 is:
  C:\TMP\MYORACLEBACKUP1.DMP
Job "SYSTEM"."SYS_EXPORT_TABLE_01" successfully completed at 12:30:03What the..? "... successfully completed at 12:30:03?" But I thought there was supposed to be an error?
Any ideas?
Thanks!
EDIT: By the way, the "MYORACLEBACKUP1.DMP" file is actually created, and at a glance it looks valid. I haven't tried importing it yet.
Edited by: bdzevel on Feb 11, 2013 9:38 AM

OK I finally got around to trying "GET_STATUS." This issue looks deep.
So, my original issue was that my "JOB_STATE" was coming back "Stopped" instead of "Completed." I did a "GET_STATUS" of a "Stopped" (but successful) job, and, as I expected, I got error_count 0, and the error table is null. Fine, so I will check the "GET_STATUS" if I get a "Stopped..."
So I tried the complementary case, where I have a job that will fail. In this case, it's expected to get a "Stopped" status back (even though it's 'faulty' in the sense that it's ALWAYS "Stopped"). Checking the error_count, I get 0 back. WHAT!? AND the error table is STILL null! What the heck is going on?
Here's my new SQL:
DECLARE
  state VARCHAR2(15);
  output KU$_STATUS1010;
  errorTable KU$_LogEntry1010;
BEGIN
  Dbms_DataPump.Add_File(handle => :JobId, filename => 'MYORACLEBACKUP_bdzevel1.dmp', directory => 'ABAT_DUMP_DIR', filetype => 1, reusefile => 1); --DMP
  Dbms_DataPump.Add_File(handle => :JobId, filename => 'MYORACLEBACKUP_bdzevel2.dmp', directory => 'ABAT_DUMP_DIR', filetype => 1, reusefile => 1); --DMP
  Dbms_DataPump.Add_File(handle => :JobId, filename => 'MYORACLEBACKUP_bdzevel.log', directory => 'ABAT_DUMP_DIR', filetype => 3); --LOG
  Dbms_DataPump.Metadata_Filter(handle => :JobId, name => 'SCHEMA_LIST', value => '''DATAPUMPUSER''');
  Dbms_DataPump.Metadata_Filter(handle => :JobId, name => 'NAME_LIST', value => '''MYTESTTABLE_FAKEEEE''');
  Dbms_DataPump.Set_Parallel(handle => :JobId, degree => 2);
  Dbms_DataPump.Start_Job(handle => :JobId);
  Dbms_DataPump.Wait_For_Job(handle => :JobId, job_state => :JobState);
  :ErrorMessage := '';
  IF upper(:JobState) = 'STOPPED' THEN
    Dbms_DataPump.Get_Status(handle => :JobId, mask => 15, timeout => NULL, job_state => state, status => output);
    errorTable := output.ERROR;
    IF errorTable IS NOT NULL AND errorTable.COUNT > 0 THEN
      FOR element in 1 .. errorTable.COUNT LOOP
        IF :ErrorMessage = '' THEN
          :ErrorMessage := :ErrorMessage || CHR(13) || CHR(10);
        END IF;
        :ErrorMessage := :ErrorMessage || TO_CHAR(errorTable(element).LOGLINENUMBER) || ': ORA' || TO_CHAR(errorTable(element).ERRORNUMBER) || ' - ' || errorTable(element).LOGTEXT;
      END LOOP;
    END IF;
    :ErrorMessage := :ErrorMessage || output.JOB_STATUS.JOB_NAME || ' ' || output.JOB_STATUS.ERROR_COUNT || ' ' || output.JOB_STATUS.STATE;
  END IF;
END;The error I get back in both cases reads "SYS_TEXPORT_TABLE_04 0 COMPLETED" (which is in the format JOB_NAME ERROR_COUNT STATE, as you can see above), but in the latter case (a FAILED job... as you can see above, I have "MYTESTTABLE_FAKEEEE" as my table, which doesn't exist, and a consequence, the .log properly logs a failure.) I SHOULD be getting back something in output.ERROR or AT LEAST output.JOB_STATUS.ERROR_COUNT..... BUT output.ERROR is NULL and ERROR_COUNT is 0! What gives?
P.S.> I logged an SR about this, since it looks like a pretty big issue, but maybe you guys can see something that I'm not seeing faster than the support rep.
Edited by: bdzevel on Feb 21, 2013 1:18 PM

Similar Messages

  • TS3274 screen randomly disappears then after very minutes come back on but on opening page not what I was doing

    screen randomly disappears then after very minutes come back on but on opening page not what I was doing

    Hi, beth.lau.gr.
    Thank you for visiting Apple Support Communities.  
    I understand you have been experiencing issues with your iPhone restarting and showing you a blue screen.  I wont be able to give you an exact answer as to why this is happening.  However, this is the most relevant troubleshooting article for this issue.  This article also provides options to reach out to us via phone for additional assistance.  
    If your iOS device restarts, displays the Apple logo, or powers off while you're using it
    http://support.apple.com/en-us/HT203899
    Cheers, 
    Jason H.  

  • The icons for links are gone. In their place are hyphentated boxes. After I click on the link once the real icon comes back. But litterally EVERY link icon is now a hyphenated box till I click once. How can I fix this?

    The icons for links are gone. In their place are hyphenated boxes. After I click on an existing link once the real icon comes back. For Example: I have several bookmark links for Amazon. Those links now have hyphenated boxes as their icons not the Amazon icon. Once I click on an existing link the Amazon icon is activated and replaces the hyphenated boxes. Literally EVERY bookmark / link icon is now a hyphenated box till I click once. How can I fix this? I'm running Firefox 8.0 on windows XP. This problem started this week. Before and After upgrading to firefox 8.0 from 7.xxxx. See screen shot example.jpg i've attached below. Double click to enlarge it for better viewing. Any input welcomed. Not a major problem but I would like to have the icons back.
    Thanks
    Maxboyd

    Thanks. That solved it. I had my doubts since I wasn't concerned about my lost bookmarks. I was concerned about the broken functionality. In any event, restoring from a backup solved both the functionality and the lost bookmarks. I appreciate the response!

  • My iPhone 4S screen has gone blank, it comes back occasionally, but not often.

    Basically,
    A couple of weeks ago I sent a text then put my iPhone 4S down on my desk. When the reply came back my screen was completely blank. I could still here it working in the background, when screenshoting and pressing the screen randomly while it is locked. The first thing I tried was to reset the phone. This worked and I thought it was just a one off thing. No.
    A few days ago the exact same scenario happened except this time the screen never returned. This time I tried to rest the phone many times but it still would not come back. I then booked an appointment at an Apple store where they said i would probably have to pay £146 for a new phone as it was deemed as 'accidental damage' although I have never dropped or hit my phone. This is also my second phone this year as in February the lock button failed but then Apple kindly supplied me with a new phone free of charge. After booking my apple store visit my screen somehow just came back without any reason. I couldnt make the Apple store appointment anymore and had to cancel but I thought I had got my phone back. I then proceeded to back-up my phone to parents computer, as my MacBook is also currently not working, just in case this screen thing happened again.
    Well. It did. Last night, just as i was going to bed. The phone was in my hand the whole time, one minute I'm texting, next minute I just assume that the phone has locked itself but no it has just gone again. As I am now working every day for the next 11 days, I think as my calandar was on on my phone, I have no time to either visit an Apple store, closest of which is around an hour away, or visit my parents to try and restore my phone.
    So any help here would be great.
    Thanks.

    Since the genius bar has already confimed your phone has a hardware issue, there isn't much anyone here can suggest you do. There is no software fix for a hardware issue.

  • I was connecting on my ipad to Find my ipad with the account of my sister (somebody stole her ipad..) and her ipad was obviously offline. Then i removed her device from the list (i know itd reappear on the list if it comes back online),but can i readd it?

    Question above

    i didnt mean to remove it, i did it unintentionally.
    If the offline device is removed do i receive emails if it comes back online?
    p.s.: still no answers to how i have to put the offline device back on the list of my devices?!?

  • HT1689 My iPad turns itself off.  It comes back on but it is irritating when reading

    My iPad turns itself off -- at odd times.  Sometimes it goes hours and then it will turn off three or four times in a row.  It is not full of files -  of 28g it still has 8 g available.    What am I doing wrong?

    Try the basic:
    (A) Restart iPad
    1. Hold down the Sleep/Wake button until the red slider appears.
    2. Drag the slider to turn off iPad.
    3. Turn iPad back on, hold down the Sleep/Wake until the Apple logo appears
    (B) Reset iPad
    Hold down the Sleep/Wake button and the Home button at the same time for at least ten seconds, until the Apple logo appears
    Note: Data will not be affected.
    (C) Reset all settings
    Settings>General>Reset>Reset all settings
    (D) Restore iPad
    1. Connect your device to your iTune (computer).
    2. Select your iPad when it appears in iTunes.
    3. Select the Summary tab.
    4. Click the Restore button.
    Note: Data will be lost

  • After download of Firefox 18, computer completes restart, computer comes back up but no Firefox.

    I downloaded the Firefox 18 update. Computer goes to restart, completes restart but no Firefox.
    There is no longer an icon on the desktop. I have tried doing an uninstall through the Control Panel, I get a message that says I must restart computer, I do the restart and no Firefox anywhere. I tried to just delete the program by going into the Program Folder and it won't delete.
    I tried to do fresh downloads over 10 times and no luck! What should I do now?

    Do a clean reinstall and delete the Firefox program folder before reinstalling a fresh copy of Firefox.
    *(32 bit Windows) C:\Program Files\Mozilla Firefox\
    *(64 bit Windows) C:\Program Files (x86)\Mozilla Firefox\
    *http://kb.mozillazine.org/Installation_directory
    Download a fresh Firefox copy and save the file to the desktop.
    *Firefox 18.0.x: http://www.mozilla.org/en-US/firefox/all.html
    Uninstall your current Firefox version, if possible, to cleanup the Windows registry and settings in security software.
    *Do NOT remove personal data when you uninstall your current Firefox version, because all profile folders will be removed and you will also lose your personal data like bookmarks and passwords from profiles of other Firefox versions.
    Remove the Firefox program folder before installing that newly downloaded copy of the Firefox installer.
    *It is important to delete the Firefox program folder to remove all the files and make sure that there are no problems with files that were leftover after uninstalling.
    *http://kb.mozillazine.org/Uninstalling_Firefox
    Your bookmarks and other profile data are stored in the Firefox Profile Folder and won't be affected by an uninstall and (re)install, but make sure that "remove personal data" is NOT selected when you uninstall Firefox.
    If you keep having problems then also create a new profile.
    *http://kb.mozillazine.org/Profile_folder_-_Firefox
    *http://kb.mozillazine.org/Profile_backup
    *http://kb.mozillazine.org/Standard_diagnostic_-_Firefox#Clean_reinstall

  • ETL Stops but no error logged

    Hi All,
    I have an ETL that runs ok in several environments, but having just migrated it to a new UAT environment we are experiencing regular unexplained shutdowns.
    There are no failed tasks, it just stops. This message appears in theserver logs.
    1861 SEVERE Thu Aug 16 22:46:05 BST 2012 ETL seems to have completed. Invoking shut down dispatcher after the notification from the last running task.
    1862 SEVERE Thu Aug 16 22:46:05 BST 2012 Finishing ETL Process.
    The last task to complete was an SDE, this has an associated SIL which hasn't run, so why does the DAC think the ETL has finished?
    I see there have been similar posts in teh past, but the fifference here is that more than three hundred tasks had completed ok, and when I restart the ETL it will run the rest ok.
    Any ideas anyone?
    thanks
    Ed

    Hello Florian,
    may be the usual problem of an active index during loading of a datacube. The index maintainance has to recreate the indizes while loading, and it have to do this in parallel if you have more than one data package loading. This may mean deadlock or memory problems.
    Please drop the index of the Cube (Manage->Performance->Delte Index (Now)) and retry your load. Don't forget to rebuild the index after load.
    You can do this in a process chain too.
    Kind regards,
    Jürgen

  • HT1926 msg:  Itunes can't start cuz MSVCR80.dll is missing from yr computer - try reinstalling - then when I reinstall, it comes back "non installed correctly - error 7 (windows error 126)

    Get message that Itunes can't start because MSVCR80.dll is missing from your computer - try reinstalling.
    When I reinstall I get Itunes is not installed correctly - plse reinstall - Error 7 (Windows error 126)

    Click here and follow the instructions. You may need to completely remove and reinstall iTunes and all related components, or run the process multiple times; this won't normally affect its library, but that should be backed up anyway.
    (99566)

  • Publication successful but gices error in logs

    Hi,
    I ma try to publish my site from one server to another server. it show success on UI and works fine on destination system but in log it gives me some error saying "Failed to acquire ticket".
    Here are the logs:-
    I am trying to publish my site from one server to other but it failing and in the logs I can see:-
    [2013-08-19 18:14:28,645 IST] [ERROR] [http-bio-9780-exec-35] [wem.sso.cas.CASProvider] Failed to acquire ticket
    java.io.IOException: Server returned HTTP response code: 403 for URL: http://localhost:9780/cas/v1/tickets/TGT-100-CsuYjEZHq9nbpiuFI3fQflVVxmSKdUejjXD1hhwbbWbhQeYtK4-cas-localhost-1
        at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1436)
        at com.fatwire.wem.sso.cas.CASProvider.getST(CASProvider.java:309)
        at com.fatwire.wem.sso.cas.CASProvider.getTicket(CASProvider.java:159)
        at COM.FutureTense.Security.SecureLogin.SecureLoginFilter.doFilter(SecureLoginFilter.java:314)
        at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:243)
        at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:210)
        at COM.FutureTense.Servlet.URLRewriteFilter.doFilter(URLRewriteFilter.java:81)
        at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:243)
        at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:210)
        at com.fatwire.wem.sso.cas.filter.CASFilter.doFilter(CASFilter.java:701)
        at com.fatwire.wem.sso.SSOFilter.doFilter(SSOFilter.java:51)
        at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:243)
        at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:210)
        at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:222)
        at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:123)
        at org.apache.catalina.authenticator.AuthenticatorBase.invoke(AuthenticatorBase.java:472)
        at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:168)
        at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:99)
        at org.apache.catalina.valves.AccessLogValve.invoke(AccessLogValve.java:929)
        at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:118)
        at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:407)
        at org.apache.coyote.http11.AbstractHttp11Processor.process(AbstractHttp11Processor.java:1002)
        at org.apache.coyote.AbstractProtocol$AbstractConnectionHandler.process(AbstractProtocol.java:585)
        at org.apache.tomcat.util.net.JIoEndpoint$SocketProcessor.run(JIoEndpoint.java:310)
        at java.util.concurrent.ThreadPoolExecutor$Worker.runTask(ThreadPoolExecutor.java:886)
        at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:908)
        at java.lang.Thread.run(Thread.java:662)
    [2013-08-19 18:14:28,645 IST] [WARN ] [http-bio-9780-exec-35] [fatwire.logging.security.context] Unable to obtain authentication provider ticket, defaulting to internal authentication.
    Can anybody help me in fixing this issue.
    Thanks,
    Nelash jindal

    Hi Archana,
    About ERR_WEB, probably run an old version, but this won't help you either, I think.
    Another tip is to look in PI:
    Is your service synchronous? For synchronous messages PI only persists the message in PI's message store if the abap proxy returns an error, such as a SOAP Fault. If your abap proxy is not returning an error, then make sure it does. You can raise an application error in AIF.
    If PI already receives a SOAP fault, then I suggest you to check if the message was stored in PI: see SAP note 872388 to guide you on this task.

  • MBP does not come back after hybernation

    Hello everyone,
    I am enjoying my MBP except for one problem. It does not come back after it hybernates sometimes.
    I hit a key, hear the superdrive do it's "thing" and then after much waiting (approximately over 10 minutes) no picture or video on the screen!
    I can tell that it's still powered on because it's plugged in and when I hit the Caps Lock key it lights on and off.
    The only way that I can get it out of this state is to hold down the power button, unplug the power cord, take the battery out, hold in the power button for 4 seconds, reinsert the battery and power back on.
    I have to then cycle the power back off because the first time it does not come back but I just get the blank white boot screen and no 'apple'.
    When I turn it back on the second time, it boots up.
    Anyone else have a problem with this?
    Thanks for listening!
    Mark

    Hello Gweedo!
    Yeah I have the same issue and am up to date. Apparently this is a pretty huge problem with the Macbook Pro since the last Graphics update after updating to 10.5.2.
    http://discussions.apple.com/thread.jspa?threadID=1394449
    I have been perusing through that topic and hopefully they will come up with a fix for this.
    The only work-a-round that I have found (but haven't tested extensively yet) is to disconnect to the wireless, turn off blue tooth, disconnect my external monitor and then go into sleep mode. Then it always comes back. But if I leave it connected to the wireless, bluetooth, and external monitor - it's a crap shoot as to weather or not it will come back up.
    This is pretty frustrating because half of using a laptop is being able to hybernate and sleep properly.
    I even have the 'smartsleep' installed.
    Thanks for commenting everybody!
    Mark

  • Proxy not found message now when it comes back on it has

    Proxy not found message now when it comes back on it has only the windows sign now when it comes back on but nothing else

    Satellite A200-1VM (PSAE3E-04601MG3)
    Is that your computer [from your August message]?
    Can you explain that situation in more detail and attach a picture?
    Do you have the recovery discs now?
    -Jerry

  • IPod touch 4th gen will back-up but not sync?

    Apple had me reinstall iTunes twice and it didn't work. I deleted iPod and then reconnected and got it to back-up but an error comes up in 5 (1-5) when backing up) that says,"iPod can not be synced. The required file cannot be found." 
    Would uninstalling iTunes and all the components help? Maybe some didn't load right when Apple had be take out and re-install. There are more components than just iTunes to delete so all of you need to look up in Apple support.
    Any ideas? I am running Windows 7 on my laptop but the funny thing is my old desktop with Windows XP will back-up and sync it as I just tried it.

    Try the following one at a time
    - Delete the iPod Photo Cache folder. For its location see:
    iTunes: Photo sync creates iPod Photo Cache folder
    - Move the existing backup file to a safe location so iTunes has to create an entire new one. For its location see:
    iTunes places the backup files in the following places:
    Mac: ~/Library/Application Support/MobileSync/Backup/
    Windows XP: \Documents and Settings\(username)\Application Data\Apple Computer\MobileSync\Backup\
    Windows Vista and Windows 7: \Users\(username)\AppData\Roaming\Apple Computer\MobileSync\Backup\
    Note: If you do not see the AppData or Application Data folders, you may need to show hidden files (Windows XP,  Windows Vista and Windows 7), or iTunes may not be installed in the default location. Show hidden files and then search the hard drive for the Backup directory.
    After a successful sync, you can delete that backup.

  • Mail app glitch? - deleted emails come back!?

    Hi all,
    I upgraded to Mavericks today, and it hasnt been smooth at all for me - no wonder it's FREE. One major problem that I'm having is with the Mail application.
    I have the application connceted to my gmail account. - When I delete emails from my inbox (on my mail application), those deleted mails reppear in my inbox! No matter how many times i try deleting them, they always come back. But, when i go on gmail.com and delete it from there, then it deletes from the mail application inbox as well.
    I hope i made some sense in explaining the problem.
    Solutions? ideas?
    Thanks!

    Some people are having problems with Gmail. I haven't had a problem with it at all. Gmail isn't IMAP, which Mail expects it to be, since that is what Gmail says it is, but it's not. It is Gmail.
    Gmail doesn't have folders or mailboxes. It tags messages with "labels." When a new message comes in, it is tagged with "inbox" and "All Mail." When you remove it from the Inbox, it gets tagged with the new mailbox it was moved into, and the "inbox" tag is removed. That process isn't quite working for some.
    It is likely that something on one end is not doing what it used to do. If Google would just implement a normal IMAP server, there wouldn't be all off this tagging and untagging bs to deal with. My guess is the problem is on Google's end of this as it's server is announcing to the world that it is IMAP and it needs to translate the IMAP requests that it gets from the email clients.

  • My ipod has just turned off and wont come back on

    my ipod has just turned off and wont come back on but i know it had a good amount of battery left and if i plug it into my computer or docking station nothing happens please help...

    Try:                                               
    - iOS: Not responding or does not turn on           
    - Also try DFU mode after try recovery mode
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings
    - If not successful and you can't fully turn the iOS device fully off, let the battery fully drain. After charging for an least an hour try the above again.
    - Try another cable                     
    - Try on another computer                                                       
    - If still not successful that usually indicates a hardware problem and an appointment at the Genius Bar of an Apple store is in order.
    Apple Retail Store - Genius Bar                                     

Maybe you are looking for

  • Change background of the text in a TextBox

    (JavaFX 1.3) How can one change the background (color, gradient, whatever) of the text in a TextBox without affecting any of the other display (Skin) attributes for the TextBox? A related question is: How can I programmatically determine the backgrou

  • IMessage not working after updating to IOS 6.1

    I just updated to IOS 6.1 on my iPad (version 3).  When the iPad rebooted it was not connected to the internet - I connect through bluetooth with my iphone as a hotspot.  I proceeded past that point without a connection.  Now my iMessage does not wor

  • Can I log the Alarms & Events in Citadel?

    Platform - LabVIEW DSC 6.1 OS - WinNT 4.0 SP 6.0 Hardware - NONE By using "HIST Alarm & Event Query.vi" I can view the Alarms and events occured over a span of time. The data can be retrived even when the DSC Engine is shutdown but if I re-start my P

  • Does anyone have information about external batteries to extend the hours on the Macbook Pro?

    Does anyone have information about external batteries to extend the hours on a Macbook Pro?

  • Data field in Report Designer

    Hi Experts, I am trying to create a report. I have used a query as data provider. I was wondering if I can use formulas(adding, multiplying...) in report designer as user wants to see calculated values in the report. Could you please let me know how