Instead of trigger example - INSERT works but UPDATE and DELETE does not?

Below is a demostration script of what I am trying to troubleshoot. Tests are done on 10gR2;
conn system/system
drop table tt purge ;
create table tt nologging as select * from all_users ;
alter table tt add constraint pk_tt_user_id primary key (user_id) nologging ;
analyze table tt compute statistics for table for all indexed columns ;
conn hr/hr
drop database link dblink ;
create database link dblink
connect to system identified by system
using 'xe.turkcell' ;
select * from global_name@dblink ;
drop view v_tt ;
create view v_tt as select username, user_id, created from tt@dblink order by 2 ;
select count(*) from v_tt ;
COUNT(*)
13
drop sequence seq_pk_tt_user_id ;
create sequence seq_pk_tt_user_id
minvalue 1000 maxvalue 99999
increment by 1;
create synonym tt for tt@dblink ;
CREATE OR REPLACE PROCEDURE prc_update_tt(old_tt v_tt%ROWTYPE, new_tt v_tt%ROWTYPE) IS
BEGIN
IF old_tt.user_id != new_tt.user_id THEN
RETURN; -- primary key
END IF;
IF old_tt.user_id IS NOT NULL AND new_tt.user_id IS NULL THEN
DELETE FROM tt
WHERE user_id = nvl(old_tt.user_id,
-99);
RETURN;
END IF;
IF (old_tt.username IS NULL AND new_tt.username IS NOT NULL) OR
(old_tt.username IS NOT NULL AND new_tt.username != old_tt.username) THEN
UPDATE tt
SET username = new_tt.username
WHERE user_id = nvl(old_tt.user_id,
-99);
END IF;
IF (old_tt.created IS NULL AND new_tt.created IS NOT NULL) OR
(old_tt.created IS NOT NULL AND new_tt.created != old_tt.created) THEN
UPDATE tt
SET created = new_tt.created
WHERE user_id = nvl(old_tt.user_id,
-99);
END IF;
END prc_update_tt;
CREATE OR REPLACE PROCEDURE prc_insert_tt(old_tt v_tt%ROWTYPE, new_tt v_tt%ROWTYPE) IS
new_tt_user_id NUMBER;
BEGIN
SELECT seq_pk_tt_user_id.NEXTVAL INTO new_tt_user_id FROM dual;
INSERT INTO tt
(username, user_id, created)
VALUES
(new_tt.username, new_tt_user_id, new_tt.created);
END prc_insert_tt;
CREATE OR REPLACE PROCEDURE prc_delete_tt(old_tt v_tt%ROWTYPE, new_tt v_tt%ROWTYPE) IS
BEGIN
DELETE FROM tt
WHERE user_id = nvl(old_tt.user_id,
-99);
END prc_delete_tt;
CREATE OR REPLACE TRIGGER trg_iof_v_tt
INSTEAD OF UPDATE OR INSERT OR DELETE ON v_tt
FOR EACH ROW
DECLARE
new_tt v_tt%ROWTYPE;
old_tt v_tt%ROWTYPE;
BEGIN
dbms_output.put_line('INSTEAD OF TRIGGER fired');
dbms_output.put_line(':NEW.user_id ' || :NEW.user_id);
dbms_output.put_line(':OLD.user_id ' || :OLD.user_id);
dbms_output.put_line(':NEW.username ' || :NEW.username);
dbms_output.put_line(':OLD.username ' || :OLD.username);
dbms_output.put_line(':NEW.created ' || :NEW.created);
dbms_output.put_line(':OLD.created ' || :OLD.created);
new_tt.user_id := :NEW.user_id;
new_tt.username := :NEW.username;
new_tt.created := :NEW.created;
old_tt.user_id := :OLD.user_id;
old_tt.username := :OLD.username;
old_tt.created := :OLD.created;
IF inserting THEN
prc_insert_tt(old_tt,
new_tt);
ELSIF updating THEN
prc_update_tt(old_tt,
new_tt);
ELSIF deleting THEN
prc_delete_tt(old_tt,
new_tt);
END IF;
END trg_iof_v_tt;
set serveroutput on
set null ^
insert into v_tt values ('XXX', -1, sysdate) ;
INSTEAD OF TRIGGER fired
:NEW.user_id -1
:OLD.user_id
:NEW.username XXX
:OLD.username
:NEW.created 30/01/2007
:OLD.created
1 row created.
commit ;
select * from v_tt where username = 'XXX' ;
USERNAME USER_ID CREATED
XXX 1000 31/01/2007          <- seems to be no problem with insert part but
update v_tt set username = 'YYY' where user_id = 1000 ;
INSTEAD OF TRIGGER fired
:NEW.user_id
:OLD.user_id
:NEW.username YYY
:OLD.username
:NEW.created
:OLD.created
1 row updated.
commit ;
select count(*) from v_tt where username = 'YYY' ;
COUNT(*)
0               <- here is my first problem with update part, Oracle said "1 row updated."
delete from v_tt where user_id = 1000 ;
INSTEAD OF TRIGGER fired
:NEW.user_id
:OLD.user_id
:NEW.username
:OLD.username
:NEW.created
:OLD.created
1 row deleted.
commit ;
select count(*) from v_tt ;
COUNT(*)
14               <- here is my second problem with delete part, Oracle said "1 row deleted."
Any comments will be welcomed, thank you.
Message was edited by:
TongucY
changed "-1" values to "1000" in the where clause of delete and update statements.
it was a copy/paste mistake, sorry for that.

What table do you process in your procedures ? You don't use DBLINK to
reference remote table in your procedures.
Seems, you have table "TT" in "HR" schema too.
Look:
SQL> create table tt nologging as select * from all_users where rownum <=3;
Table created.
SQL> select * from tt;
USERNAME                          USER_ID CREATED
SYS                                     0 25-APR-06
SYSTEM                                  5 25-APR-06
OUTLN                                  11 25-APR-06
SQL> conn scott/tiger
Connected.
SQL> create database link lk65 connect to ... identified by ... using 'nc65';
Database link created.
SQL> select * from tt@lk65;
USERNAME                          USER_ID CREATED
SYS                                     0 25-APR-06
SYSTEM                                  5 25-APR-06
OUTLN                                  11 25-APR-06
SQL> create view v_tt as select username, user_id, created from tt@lk65 order by 2;
View created.
SQL> select * from v_tt;
USERNAME                          USER_ID CREATED
SYS                                     0 25-APR-06
SYSTEM                                  5 25-APR-06
OUTLN                                  11 25-APR-06
SQL> create sequence seq_pk_tt_user_id
  2  minvalue 1000 maxvalue 99999
  3  increment by 1;
Sequence created.
SQL> CREATE OR REPLACE PROCEDURE prc_insert_tt(old_tt v_tt%ROWTYPE, new_tt v_tt%ROWTYPE) IS
  2  new_tt_user_id NUMBER;
  3  BEGIN
  4  SELECT seq_pk_tt_user_id.NEXTVAL INTO new_tt_user_id FROM dual;
  5  INSERT INTO tt
  6  (username, user_id, created)
  7  VALUES
  8  (new_tt.username, new_tt_user_id, new_tt.created);
  9  END prc_insert_tt;
10  /
Warning: Procedure created with compilation errors.
SQL> show error
Errors for PROCEDURE PRC_INSERT_TT:
LINE/COL ERROR
5/1      PL/SQL: SQL Statement ignored
5/13     PL/SQL: ORA-00942: table or view does not exist
SQL> edit
Wrote file afiedt.buf
  1  CREATE OR REPLACE PROCEDURE prc_insert_tt(old_tt v_tt%ROWTYPE, new_tt v_tt%ROWTYPE) IS
  2  new_tt_user_id NUMBER;
  3  BEGIN
  4  SELECT seq_pk_tt_user_id.NEXTVAL INTO new_tt_user_id FROM dual;
  5  INSERT INTO tt@lk65
  6  (username, user_id, created)
  7  VALUES
  8  (new_tt.username, new_tt_user_id, new_tt.created);
  9* END prc_insert_tt;
SQL> /
Procedure created.Rgds.

Similar Messages

  • HT201299 Verizon signal is strong but get error message "Ipad is not connected to the Internet"   Wireless works but my Verizon account does not

    Verizon signal is strong but get error message "Ipad is not connected to the Internet"   When I try to use Safari.
    Wireless works but my Verizon account does not

    Some things to try first:
    1. Turn Off your iPad. Then turn Off (disconnect power cord for 30 seconds or longer) the wireless router & then back On. Now boot your iPad. Hopefully it will see the WiFi.
    2. Go to Settings>Wi-Fi and turn Off. Then while at Settings>Wi-Fi, turn back On and chose a Network.
    3. Change the channel on your wireless router (Auto or Channel 6 is best). Instructions at http://macintoshhowto.com/advanced/how-to-get-a-good-range-on-your-wireless-netw ork.html
    4. Go into your router security settings and change from WEP to WPA with AES.
    5.  Renew IP Address: (especially if you are droping internet connection)
        •    Launch Settings app
        •    Tap on Wi-Fi
        •    Tap on the blue arrow of the Wi-Fi network that you connect to from the list
        •    In the window that opens, tap on the Renew Lease button
    6. Potential Quick Fixes When Your iPad Won’t Connect to Your Wifi Network
    http://ipadinsight.com/ipad-tips-tricks/potential-quick-fixes-when-your-ipad-won t-connect-to-your-wifi-network/
    ~~~~~~~~~~~~~~~~~~~~~~~~~
    Wi-Fi Fix for iOS 6
    https://discussions.apple.com/thread/4823738?tstart=240
    iOS 6 Wifi Problems/Fixes
    How To: Workaround iPad Wi-Fi Issues
    http://www.theipadfan.com/workaround-ipad-wifi-issues/
    Another Fix For iOS 6 WiFi Problems
    http://tabletcrunch.com/2012/10/27/fix-ios-6-wifi-problems-ssid/
    Wifi Doesn't Connect After Waking From Sleep - Sometimes increasing screen brightness prevents the failure to reconnect after waking from sleep. According to Apple, “If brightness is at lowest level, increase it by moving the slider to the right and set auto brightness to off.”
    Fix For iOS 6 WiFi Problems?
    http://tabletcrunch.com/2012/09/27/fix-ios-6-wifi-problems/
    Did iOS 6 Screw Your Wi-Fi? Here’s How to Fix It
    http://gizmodo.com/5944761/does-ios-6-have-a-wi+fi-bug
    How To Fix Wi-Fi Connectivity Issue After Upgrading To iOS 6
    http://www.iphonehacks.com/2012/09/fix-wi-fi-connectivity-issue-after-upgrading- to-ios-6.html
    iOS 6 iPad 3 wi-fi "connection fix" for netgear router
    http://www.youtube.com/watch?v=XsWS4ha-dn0
    Apple's iOS 6 Wi-Fi problems
    http://www.zdnet.com/apples-ios-6-wi-fi-problems-linger-on-7000004799/
    ~~~~~~~~~~~~~~~~~~~~~~~
    How to Boost Your Wi-Fi Signal
    http://ipad.about.com/od/iPad_Troubleshooting/a/How-To-Boost-Your-Wi-Fi-Signal.h tm
    Troubleshooting a Weak Wi-Fi Signal
    http://ipad.about.com/od/iPad_Troubleshooting/a/Troubleshooting-A-Weak-Wi-Fi-Sig nal.htm
    How to Fix a Poor Wi-Fi Signal on Your iPad
    http://ipad.about.com/od/iPad_Troubleshooting/a/How-To-Fix-A-Poor-Wi-Fi-Signal-O n-Your-iPad.htm
    iOS Troubleshooting Wi-Fi networks and connections  http://support.apple.com/kb/TS1398
    iPad: Issues connecting to Wi-Fi networks  http://support.apple.com/kb/ts3304
    WiFi Connecting/Troubleshooting http://www.apple.com/support/ipad/wifi/
    How to Fix: My iPad Won't Connect to WiFi
    http://ipad.about.com/od/iPad_Troubleshooting/ss/How-To-Fix-My-Ipad-Wont-Connect -To-Wi-Fi.htm
    iOS: Connecting to the Internet http://support.apple.com/kb/HT1695
    iOS: Recommended settings for Wi-Fi routers and access points  http://support.apple.com/kb/HT4199
    How to Quickly Fix iPad 3 Wi-Fi Reception Problems
    http://osxdaily.com/2012/03/21/fix-new-ipad-3-wi-fi-reception-problems/
    iPad Wi-Fi Problems: Comprehensive List of Fixes
    http://appletoolbox.com/2010/04/ipad-wi-fi-problems-comprehensive-list-of-fixes/
    Connect iPad to Wi-Fi (with troubleshooting info)
    http://thehowto.wikidot.com/wifi-connect-ipad
    Fix iPad Wifi Connection and Signal Issues  http://www.youtube.com/watch?v=uwWtIG5jUxE
    Fix Slow WiFi Issue https://discussions.apple.com/thread/2398063?start=60&tstart=0
    How To Fix iPhone, iPad, iPod Touch Wi-Fi Connectivity Issue http://tinyurl.com/7nvxbmz
    Unable to Connect After iOS Update - saw this solution on another post.
    https://discussions.apple.com/thread/4010130
    Note - When troubleshooting wifi connection problems, don't hold your iPad by hand. There have been a few reports that holding the iPad by hand, seems to attenuate the wifi signal.
    ~~~~~~~~~~~~~~~
    If any of the above solutions work, please post back what solved your problem. It will help others with the same problem.
     Cheers, Tom

  • I bought an iphone of my friend and used my blackberry sim in it, it say i have signal on 3g but imessage and twitter does not work when not connected to wifi, and i dont know how to get it to work out of the house?

    The phone is not stolen but it does not work out side of the house

    if it doesnt match that means your iPhone is not provisioned for the carrier you are trying to use. Your iPhone would need to be unlocked in order to use on other carriers. You will need to contact your carrier to see if this iPhone is unlocked py providing them the IMEI. If the iPhone is not unlocked you will need to contact the carrier that the iPhone is locked to to see if they will unlock the device to use on another carrier.

  • How to get Revel on other devices with app to update when I have auto update and it does not work

    How do I get Revel with auto update to update on my other devices with the Revel app when the update does not work?

    In elements organizer, are you adding the photos to the mobile album?
    Could you try the troubleshooting steps shared at: http://helpx.adobe.com/elements-organizer/kb/troubleshoot-revel-relate d-issues.html

  • HT4623 My iPad 2 audio only works with headphones and orientation does not work at all

    My iPad 2 volume button does not work with the integrated speakers of my iPad, once a headphone is connected to the jack output of my iPad the OSD volume displays fine and works to the external headphone but once the headphone jack is removed, there is no more a volume bar and the side volume buttons don't work at all, this has affected the screen orientation as well, screen does not orientate  as well,
    Please help

    If you deleted files from the operating system, you wrecked your installation and the first thing you need to do is either restore those files from a backup or reinstall the OS. Doing that is never the solution to any problem. Back up all data before making any changes.

  • Windows 8.1 Enterprise - Hyper-v, Legacy Network Adapter works, but the Network Adapter does not

    Folks,
    I currently have 2 Virtual Switches: one I set up for WIFI, and the other I set up for
    LAN.
    Both switches are set up as:
    - EXTERNAL
    - Allow management operating system to share this network adapter
    Both switches I can use with my Legacy Network Adapter.
    But the Network Adapter doesn't doesn't work for either.
    It did however work at one time, but I think a Windows Update killed it.
    Thoughts?  Suggestions?
    And as always, thank you for reading :)

    And here's my HYPER-V log, Running Windows 7 Pro:
    (I've applied an 'xxx' info related to my company.)
    Windows IP Configuration
       Host Name . . . . . . . . . . . . : broberts-e6420
       Primary Dns Suffix . . . . . . . : xxx.com
       Node Type . . . . . . . . . . . . : Hybrid
       IP Routing Enabled. . . . . . . . : No
       WINS Proxy Enabled. . . . . . . . : No
       DNS Suffix Search List. . . . . . : xxx.com
                                           attlocal.net
    Ethernet adapter Local Area Connection 2:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix . : attlocal.net
       Description . . . . . . . . . . . : Intel 21140-Based PCI Fast Ethernet Adapter (Emulated)
       Physical Address. . . . . . . . . : 00-15-5D-01-4C-08
       DHCP Enabled. . . . . . . . . . . : Yes
       Autoconfiguration Enabled . . . . : Yes
    Ethernet adapter Local Area Connection 1:
       Connection-specific DNS Suffix . : attlocal.net
       Description . . . . . . . . . . . : Microsoft Hyper-V Network Adapter
       Physical Address. . . . . . . . . : 00-15-5D-01-4C-06
       DHCP Enabled. . . . . . . . . . . : Yes
       Autoconfiguration Enabled . . . . : Yes
       IPv6 Address. . . . . . . . . . . : 2602:306:3a5e:7050:7426:4a85:cde9:3454(Preferred)
       Temporary IPv6 Address. . . . . . : 2602:306:3a5e:7050:2d15:806e:7f3b:ca31(Preferred)
       Link-local IPv6 Address . . . . . : fe80::7426:4a85:cde9:3454%20(Preferred)
       IPv4 Address. . . . . . . . . . . : 192.168.1.65(Preferred)
       Subnet Mask . . . . . . . . . . . : 255.255.255.0
       Lease Obtained. . . . . . . . . . : Monday, July 28, 2014 10:18:19 PM
       Lease Expires . . . . . . . . . . : Tuesday, July 29, 2014 10:18:20 PM
       Default Gateway . . . . . . . . . : fe80::769d:dcff:fe77:2379%20
                                           192.168.1.254
       DHCP Server . . . . . . . . . . . : 192.168.1.254
       DNS Servers . . . . . . . . . . . : 192.168.1.254
       NetBIOS over Tcpip. . . . . . . . : Enabled
    Tunnel adapter isatap.attlocal.net:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix . : attlocal.net
       Description . . . . . . . . . . . : Microsoft ISATAP Adapter
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Local Area Connection* 11:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix . :
       Description . . . . . . . . . . . : Microsoft 6to4 Adapter
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes
    Tunnel adapter Teredo Tunneling Pseudo-Interface:
       Media State . . . . . . . . . . . : Media disconnected
       Connection-specific DNS Suffix . :
       Description . . . . . . . . . . . : Teredo Tunneling Pseudo-Interface
       Physical Address. . . . . . . . . : 00-00-00-00-00-00-00-E0
       DHCP Enabled. . . . . . . . . . . : No
       Autoconfiguration Enabled . . . . : Yes

  • Adobe Acrobat Standard v 8 works, but print-to-PDF does not

    I've been trying to migrate my main computer usage from an XP desktop to a Windows 7 laptop. I've had Acrobat Standard v 8 on both computers for years but have rarely used the laptop. (I mostly used the laptop as a dumb terminal to reach through the internet to my desktop.) Now I'm determined to make the laptop into my daily WORKING computer.
    I see that Acrobat Standard works on the laptop (opens files, deletes pages, etc.) but I cannot print anything to PDF. When I try to print (from Notepad, Word, or anything) the "Adobe PDF" printer shows as my default printer. But nothing happens. It doesn't ask for a filename and the printer window (?) shows error on printing.
    I uninstalled and reinstalled Acrobat Standard 8 in January 2013 when it had stopped working altogether (opening a PDF would flash open then close/crash) which was probably caused by "a friend" installing an unlicensed (or wrongly licensed) version of Microsoft Office 2010. I uninstalled all of that mush and put a new version of Office on (2013, licensed). I don't recall if the print-to-PDF has worked since; but I suspect not.
    Does anyone know how to fix it?
    I'm afraid to uninstall and reinstall the whole Acrobat again. Someone once told me that you can only re-activate your license so many times and then one day it won't reactivate. And since my version is so old and has been reinstalled after virus cleanups (reformatting system disks), I don't know if Tech Support will fix that sort of activation problem. That last thing I want to do is use new software, or have to go to a non-Adobe PDF editor when I already have software paid for. And yes, I have the original Acrobat Standard v 8 CDs.

    1. I don't care about the button in Word; just trying to get a PRINT-TO-PDF function going.
    2. The CD installed 8.0.0 even though I have 8.1.4 on my other computer (the XP desktop I'm trying to make obsolete). I will try to find upgrade downloads somewhere.
    3. I tried to use the original CD and do a "Repair" option (not remove nor install). It went through the motions and would come up with an error. So I googled and found the article titled "Error "The file AdobePDF.dll is needed" | CS3 | 64-bit Windows" (http://helpx.adobe.com/creative-suite/kb/error-file-adobepdf-dll-needed.html) and applied the directions for Windows 7 64-bit version (which my laptop is), but the fix didn't work.
    Still researching, and #2 above looks like the best next course of action.

  • Manual Sync is working, but automatic and login & logout not working.

    I'm having a problem in that I can do a manual sync with the "Sync Home Now".
    However, whenever trying to have an automatic sync happen on it's own or the syncing to happen at login and logout. Syncing doesn't work.
    After turning on more version loggin from MirrorAgent I think I've narrowed down the problem.
    At login I see this:
    MHD: =============================================================================== =====================
    MHD: **** MirrorAgent-99.9.3 (8L2127) (pid 512) starting Sun Oct 22 13:54:51 2006
    MHD: Log verbosity level = 2.
    MHD: UID = 1027, EUID = 1027
    MHD: Empty thread
    MHD: Command thread starting.
    MHD: unpackhome: home->xmlSpec = "afp://192.168.102.3/Users"
    MHD: unpackhome: home->mhdPath = "ramos-m"
    However, "afp://192.168.102.3" is not where my home directory resides.
    Also at automatic time a similar message:
    Sun Oct 22 14:01:04.180 2006 * Syncing "HomeSync_Mirror"
    Trying to mount remote home server "afp://192.168.102.3/Users"
    Again wrong IP address. I've double and triple check the OD server and it's serving the correct info:
    HomeDirectory: <homedir><url>afp://172.16.1.101/Users</url><path>ramos-m</path></homedir>
    NFSHomeDirectory: /Network/Servers/BigMac.local/Users/ramos-m
    I've rebooted the client so many time I've lost count. I also continously get the message at login time "Your network home has changed since your last synchronization. Please select the location of your latest files."
    I've tried selecting both Network Home as well as Local Home many times yet I still have that old stuck IP address. How do I get the client to get unstuck with the old IP address and get the new one?

    I've found more info. I think I've found the file that has that string in it. There's a file called:
    /Users/ramos-m/Library/Mirrors/0016cb8b9896/mirrors.plist
    Which seems to have the string:
    <key>home_xmlSpec</key>
    <string>afp://192.168.102.3/Users</string>
    Which is the incorrect home. Why is this here and how do I fix it? Do I just put the right one in there? Somehow that feels wrong in that it's only a band-aid. Why isn't this file getting updated? What is it?
    Thanks,
    Rich

  • The "Refresh Now" works but the "Scheduled Refresh" does not

    I am able to click Refresh now on my datasets and it refreshes fine. But I cannot schedule a refresh for any of my datasets. I get the following error: "You can't schedule refresh because this dataset contains data sources that do not yet support refresh.
    Learn more about the data sources we support for refresh."
    When I create the datasets, I create the power query in Excel 2013, upload it to OneDrive, and then upload it to Power Bi Preview. I don't understand why it works for the refresh now but not the scheduled refresh. Is there a fix for this?

    I am able to click Refresh now on my datasets and it refreshes fine. But I cannot schedule a refresh for any of my datasets. I get the following error: "You can't schedule refresh because this dataset contains data sources that do not yet support refresh.
    Learn more about the data sources we support for refresh."
    When I create the datasets, I create the power query in Excel 2013, upload it to OneDrive, and then upload it to Power Bi Preview. I don't understand why it works for the refresh now but not the scheduled refresh. Is there a fix for this?

  • Lpr works but adding IP printer does not

    With Mountain Lion on my local host I am able to e.g.:
    lpstat -h printserver.domain:631   -a
       and successfully print using
    lpr  -H printserver.domain:631   -P print_queue cont.ps
    However if I go though the adding an IP printer steps in SystemPreferences -> Printers&Scanners and add
    printserver.domain:631
    LPD
    print_queue
    Generic Postscript Printer
    I can add the queue, but jobs never leave the local host. I've experimented with not including the port, using lpp and even giving the driver for the printer, all to no avail. Does anyone have any suggestions? I am not able to install this particular printer as a Bonjour printer, but I can others as Bonjour printers, though.

    Hi dovalonso,
    If you are having issues adding your IP printer, you may find the information in the following articles helpful (apologies if you have already seen them):
    OS X: How to connect to an IP-based printer or AppleTalk printer via IP
    http://support.apple.com/kb/ht4507
    OS X Mountain Lion: Set up an IP printer
    http://support.apple.com/kb/PH11478
    OS X Mountain Lion: Troubleshoot a network printer
    http://support.apple.com/kb/PH11070
    Regards,
    - Brenden

  • Old Adobe ID works but email Adobe ID does not

    There is a problem with my account email with adobe.
    I can log in with my old Id but I am not able to log in with my email address, I get a password and ID don't match error.
    It is my understanding that Adobe wants us to use our emails to login for creativecloud...
    If I try to get my password emailed to me I get this error:
    'The provided email address could not be matched to an account on file. Please try again.'
    What's the best way to get this fixed?

    Hi Chrisbator,
    I'd ask  you to contact customer support with your log in details (not your password, just your email ID).  Did you try registering with the email ID again? If you get an error stating that the email ID already exists, then it is safe to assume that there is a problem somewhere. Otherwise, you could go ahead and create a new ID using that address. Hope I am making some sense here.
    Thanks,
    Preran

  • Problem: My iMac went through a recent update and it does not boot back up now. Any solutions?

    I recently had an update to my OS on my iMac and when it restarted the iMac never rebooted again. This has never happened before and it has been three days of retrying to boot. Any help is geatly appreicated.
    Roast 1

    More info please.
    Is this a newer Intel iMac? You are in a forum for older PowerPC iMacs. What update? There hasn't been any updates for PowerPC Macs in years.
    Please be more specific with your Mac issues, please.

  • HT1267 IPhone4..Model MC603C/Ser#850441XGXA4S: I have update to 5.1.1. I am not alerted to my emails unless I tap on the mail app. Then the alert/banner appears. When I start up, the alert sounds but after that it does not work. Whats wrong?

    Ever since I updating my IPhone 4 to 5.1.1. my alert/banner does not work with my mail app. Initial startup it works but after that, it does
    not work. The only way I know there is a message by tapping on the mail app and then I hear the alert and the banner shows up. Prior
    to updating, it always worked. Is there a 'bug' in the system or is there something I am missing here.

    Yeah this was my first time connecting my phone to the computer since I went to iOS 5.0 and iCloud, so I wasn't familiar with the fact that it did not automatically create a backup on iTunes during the Sync process.  Should have right-clicked on the phone device and did a manual backup.
    But still, after restoring the backup from iCloud, I don't understand why data from certain apps got hosed (anything before October 2011, which was my last iTunes backup), while other apps' data appears to be fully intact.

  • Insert, update and delete trigger over multiple Database Links

    Hello guys,
    first of all I'll explain my environment.
    I've got a Master DB and n Slave Databases. Insert, update and delete is only possible on the master DB (in my opinion this was the best way to avoid Data-inconsistencies due to locking problems) and should be passed to slave databases with a trigger. All Slave Databases are attached with DBLinks. And, additional to this things, I'd like to create a job that merges the Master DB into all Slave DB's every x minutes to restore consistency if any Error (eg Network crash) occurs.
    What I want to do now, is to iterate over all DB-Links in my trigger, and issue the insert/update/delete for all attached databases.
    This is possible with the command "execute immediate", but requires me to create textual strings with textually coded field values for the above mentioned commands.
    What I would like to know now, is, if there are any better ways to provide these functions. Important to me is, that all DB-Links are read dynamically from a table and that I don't have to do unnecessary string generations, and maybe affect the performance.
    I'm thankful for every Idea.
    Thank you in advance,
    best regards
    Christoph

    Well, I've been using mysql for a long time, yes, but I thought that this approach would be the best for my requirements.
    Materialized View's don't work for me, because I need real-time updates of the Slaves.
    So, sorry for asking that general, but what would be the best technology for the following problem:
    I've got n globally spread Systems. Each of it can update records in the Database. The easies way would be to provide one central DB, but that doesn't work for me, because when the WAN Connection fails, the System isn't available any longer. So I need to provide core information locally at every System (connected via LAN).
    Very important to me is, that Data remain consistent. That means, that it must not be that 2 systems update the same record on 2 different databases at the same time.
    I hope you understand what I'd need.
    Thank you very much for all your replies.
    best regards
    Christoph
    PS: I forgot to mention that the Databases won't be very large, just about 20k records, and about 10 queriees per second during peak times and there's just the need to sync 1 Table.
    Edited by: 907142 on 10.01.2012 23:14

  • My iphone 6 connects to the car via bluetooth, the music works good, but the phone calles does not work.  It looks like it is working but doesn't.  I have tried in my Hyundai and a Dodge rent car and get the same results.  I updated the last 8.0.2.

    My iphone 6 connects to the car via bluetooth, the music works good, but the phone calls does not work.  It looks like it is working but doesn't.  I have tried in my Hyundai Sonata and a Dodge Dart rent car and get the same results.  I updated the last 8.0.2.  It worked the first day i had the phone, and then i updated to Ios 8.0.2 and it quit working.
    Now when i get in the car, it acts like it is connected and makes the same call it was on after syncing to bluetooth, but it really isn't on a call.  This is happening on both cars.
    Does anyone know if this is the phone and i need to take it to Apple or if there is an issue that Apple is working on getting a fix for?
    My son in law has the exact same phone as me, we both got the on 10/6, he had a Dodge Dart and his is working via bluetooth.
    Someone HELP please, as i consider this a safety issue by not having my calls go to bluetooth.

    We had the same problem, but figure out the solution.
    You MUST have at least 1 song added to your ITUNE!  After you add a free song, then everything else should work as normal!
    Hope this helps!

Maybe you are looking for

  • New GL FAGLB03 Abends when Using WBS Element as Additioanl Characteristic

    Hello All: I have added WBS Element as a Total Field to my ledger in FAGLFLEXT and it appears to be working. I have also configured it as an Additional Characteristic for displaying line items from New GL Balance Display transaction FAGLB03 however,

  • Mouse lag on wake W520

    Hi guys, When my thinkpad wakes it takes a couple of seconds to find the mouse. I do not have one plugged in and it is finding the touch pad. It plays the "bing bong" noise as if I was plugging in a usb key. Is there any way to speed this up?!

  • Spell-checking dictionaries for Central-European languages

    Hello, I write texts in Slovak and as a new user of Pages I am frustrated to learn that there seems to be no Slovak dictionary for spell-checking purposes. Am I missing something? Can anybody help? Peter

  • Deleting members in EPMA via ADS

    Is there a way to delete members in EPMA with an ads upload? If so, can you please tell me the format/syntax? I need to delete hundreds of members and do not want to do it by hand. I cannot replace the metadata because that would break all of plannin

  • Patch stalls.

    I'm trying to apply the 10.1.3.3 patch to AS 10.1.3.1 but each time it stalls at 86%. I check the logs and the last thing logged is this: Start output from spawned process: opmnctl: starting opmn and all managed processes... Failed to Start Service w