Ramp response

How is the ramp & sinusoidal response for a second order function plotted in labview?
Models for step and impulse functions are present in the control design and simulation module but not for ramp and sinusoidal functions. Please help. 
Thanks!

Thank you for the reply Rachit.
As per my understanding approach which you said will publish fault msg and then in offline it will read by some other component (using orch or esb portal)
My ESB itinerary does not contain Orch. It has flow like below
OnRamp (Request- Response)--> Transformations(using BRE)--> Off ramp(calling Request- Response WCF service)-->Transfomrations(RespToInternalFormat)-->Off ramp(calling Request- Response WCF service to update DB)-->Route this Response to OnRamp
Even If something fails in middle of itinerary shapes, I would like to send a response message back to OnRamp saying like "Rejected due to internal errors, contact admin"
How can I send this?
If this post answers your question, please mark it as such. If this post is helpful, click 'Vote as helpful'.

Similar Messages

  • Marshelling Web Service Response Memory Leak

    I believe I have found a memory leak when using the configuration below.
    The memory leak occurs when calling a web service. When the web service function is marshelling the response of the function call, an "500 Internal Server Error ... java.lang.OutOfMemoryError" is returned from OC4J. This error may be seen via the TCP Packet Monitor in JDeveloper.
    Unfortunately no exception dump is outputted to the OC4J log.
    Configuration:
    Windows 2000 with 1 gig ram
    JDeveloper 9.0.5.2 with JAX/RPC extension installed
    OC4J 10.0.3
    Sun JVM version 1.4.2_03-b02
    To demonstrate the error I created a simple web service and client. See below the client and web service function that demonstrates it.
    The web service is made up of a single function called "queryTestOutput".
    It returns an object of class "TestOutputQueryResult" which contains an int and an array.
    The function call accepts a one int input parameter which is used to vary the size of array in the returned object.
    For small int (less than 100). Web service function returns successfully.
    For larger int and depending on the size of memory configuration when OC4J is launched,
    the OutOfMemoryError is returned.
    The package "ws_issue.service" contains the web service.
    I used the Generate JAX-RPC proxy to build the client (found in package "ws_issue.client"). Package "types" was
    also created by Generate JAX-RPC proxy.
    To test the web service call execute the class runClient. Vary the int "atestValue" until error is returned.
    I have tried this with all three encodings: RPC/Encoded, RPC/Literal, Document/Literal. They have the
    same issue.
    The OutOfMemory Error is raised fairly consistently using the java settings -Xms386m -Xmx386m for OC4J when 750 is specified for the input parameter.
    I also noticed that when 600 is specified, the client seems to hang. According to the TCP Packet Monitor,
    the response is returned. But, the client seems unable to unmarshal the message.
    ** file runClient.java
    // -- this client is using Document/Literal
    package ws_issue.client;
    public class runClient
    public runClient()
    * @param args
    * Test out the web service
    * Play with the atestValue variable to until exception
    public static void main(String[] args)
    //runClient runClient = new runClient();
    long startTime;
    int atestValue = 1;
    atestValue = 2;
    //atestValue = 105; // last one to work with default memory settings in oc4j
    //atestValue = 106; // out of memory error as seen in TCP Packet Monitor
    // fails with default memory settings in oc4j
    //atestValue = 600; // hangs client (TCP Packet Monitor shows response)
    // when oc4j memory sessions are -Xms386m -Xmx386m
    atestValue = 750; // out of memory error as seen in TCP Packet Monitor
    // when oc4j memory sessions are -Xms386m -Xmx386m
    try
    startTime = System.currentTimeMillis();
    Ws_issueInterface ws = (Ws_issueInterface) (new Ws_issue_Impl().getWs_issueInterfacePort());
    System.out.println("Time to obtain port: " + (System.currentTimeMillis() - startTime) );
    // call the web service function
    startTime = System.currentTimeMillis();
    types.QueryTestOutputResponse qr = ws.queryTestOutput(new types.QueryTestOutput(atestValue));
    System.out.println("Time to call queryTestOutput: " + (System.currentTimeMillis() - startTime) );
    startTime = System.currentTimeMillis();
    types.TestOutputQueryResult r = qr.getResult();
    System.out.println("Time to call getresult: " + (System.currentTimeMillis() - startTime) );
    System.out.println("records returned: " + r.getRecordsReturned());
    for (int i = 0; i<atestValue; i++)
    types.TestOutput t = r.getTestOutputResults();
    System.out.println(t.getTestGroup() + ", " + t.getUnitNumber());
    catch (Exception e)
    e.printStackTrace();
    ** file wsmain.java
    package ws_issue.service;
    import java.rmi.RemoteException;
    import javax.xml.rpc.ServiceException;
    import javax.xml.rpc.server.ServiceLifecycle;
    public class wsmain implements ServiceLifecycle, ws_issueInterface
    public wsmain()
    public void init (Object p0) throws ServiceException
    public void destroy ()
    System.out.println("inside ws destroy");
    * create an element of the array with some hardcoded values
    private TestOutput createTestOutput(int cnt)
    TestOutput t = new TestOutput();
    t.setComments("here are some comments");
    t.setConfigRevisionNo("1");
    t.setItemNumber("123123123");
    t.setItemRevision("arev" + cnt);
    t.setTestGroup(cnt);
    t.setTestedItemNumber("123123123");
    t.setTestedItemRevision("arev" + cnt);
    t.setTestResult("testResult");
    t.setSoftwareVersion("version");
    t.setTestConditions("conditions");
    t.setStageName("world's a stage");
    t.setTestMode("Test");
    t.setTestName("test name");
    t.setUnitNumber("UnitNumber"+cnt);
    return t;
    * Web service function that is called
    * Create recCnt number of "records" to be returned
    public TestOutputQueryResult queryTestOutput (int recCnt) throws java.rmi.RemoteException
    System.out.println("Inside web service function queryTestOutput");
    TestOutputQueryResult r = new TestOutputQueryResult();
    TestOutput TOArray[] = new TestOutput[recCnt];
    for (int i = 0; i< recCnt; i++)
    TOArray = createTestOutput(i);
    r.setRecordsReturned(recCnt);
    r.setTestOutputResults(TOArray);
    System.out.println("End of web service function call");
    return r;
    * @param args
    public static void main(String[] args)
    wsmain wsmain = new wsmain();
    int aval = 5;
    try
    TestOutputQueryResult r = wsmain.queryTestOutput(aval);
    for (int i = 0; i<aval; i++)
    TestOutput t = r.getTestOutputResults();
    System.out.println(t.getTestGroup() + ", " + t.getUnitNumber());
    catch (Exception e)
    e.printStackTrace();
    ** file ws_issueInterface.java
    package ws_issue.service;
    import java.rmi.Remote;
    import java.rmi.RemoteException;
    public interface ws_issueInterface extends java.rmi.Remote
    public TestOutputQueryResult queryTestOutput (int recCnt) throws java.rmi.RemoteException;
    ** file TestOutputQueryResult.java
    package ws_issue.service;
    public class TestOutputQueryResult
    private long recordsReturned;
    private TestOutput[] testOutputResults;
    public TestOutputQueryResult()
    public long getRecordsReturned()
    return recordsReturned;
    public void setRecordsReturned(long recordsReturned)
    this.recordsReturned = recordsReturned;
    public TestOutput[] getTestOutputResults()
    return testOutputResults;
    public void setTestOutputResults(TestOutput[] testOutputResults)
    this.testOutputResults = testOutputResults;
    ** file TestOutput.java
    package ws_issue.service;
    public class TestOutput
    private String itemNumber;
    private String itemRevision;
    private String configRevisionNo;
    private String testName;
    private String testConditions;
    private String stageName;
    private String testedItemNumber;
    private String testedItemRevision;
    private String unitNumber;
    private String testStation;
    private String testResult;
    private String softwareVersion;
    private String operatorID;
    private String testDate; // to be datetime
    private String comments;
    private int testGroup;
    private String testMode;
    public TestOutput()
    public String getComments()
    return comments;
    public void setComments(String comments)
    this.comments = comments;
    public String getConfigRevisionNo()
    return configRevisionNo;
    public void setConfigRevisionNo(String configRevisionNo)
    this.configRevisionNo = configRevisionNo;
    public String getItemNumber()
    return itemNumber;
    public void setItemNumber(String itemNumber)
    this.itemNumber = itemNumber;
    public String getItemRevision()
    return itemRevision;
    public void setItemRevision(String itemRevision)
    this.itemRevision = itemRevision;
    public String getOperatorID()
    return operatorID;
    public void setOperatorID(String operatorID)
    this.operatorID = operatorID;
    public String getSoftwareVersion()
    return softwareVersion;
    public void setSoftwareVersion(String softwareVersion)
    this.softwareVersion = softwareVersion;
    public String getStageName()
    return stageName;
    public void setStageName(String stageName)
    this.stageName = stageName;
    public String getTestConditions()
    return testConditions;
    public void setTestConditions(String testConditions)
    this.testConditions = testConditions;
    public String getTestDate()
    return testDate;
    public void setTestDate(String testDate)
    this.testDate = testDate;
    public String getTestName()
    return testName;
    public void setTestName(String testName)
    this.testName = testName;
    public String getTestResult()
    return testResult;
    public void setTestResult(String testResult)
    this.testResult = testResult;
    public String getTestStation()
    return testStation;
    public void setTestStation(String testStation)
    this.testStation = testStation;
    public String getTestedItemNumber()
    return testedItemNumber;
    public void setTestedItemNumber(String testedItemNumber)
    this.testedItemNumber = testedItemNumber;
    public String getTestedItemRevision()
    return testedItemRevision;
    public void setTestedItemRevision(String testedItemRevision)
    this.testedItemRevision = testedItemRevision;
    public String getUnitNumber()
    return unitNumber;
    public void setUnitNumber(String unitNumber)
    this.unitNumber = unitNumber;
    public int getTestGroup()
    return testGroup;
    public void setTestGroup(int testGroup)
    this.testGroup = testGroup;
    public String getTestMode()
    return testMode;
    public void setTestMode(String testMode)
    this.testMode = testMode;

    Many thanks for your help.  This solved the issue for our .NET code, however the leak is still present in the report designer.  I was also wondering if you could help further: because of the limits on the java memory process is there a way to ensure that a separate java process is started for each report that is loaded in my report viewers collection?  Essentially the desktop application that i have created uses a tab control to display each type report, so each tab goes through the following code when displaying a report and closing a tab:
    Is there a way to ensure that a different Java process is kicked off each time that I display a different report?  My current code in c# always uses the same Java process so the memory ramps up.  The code to load the report and then dispose of the report through closing the tab (and now the Java process) looks like this:
        private void LoadCrystalReport(string FullReportName)
          ReportDocument reportDoc = new ReportDocument();
          reportDoc.Load(FullReportName, OpenReportMethod.OpenReportByTempCopy);
          this.crystalReportViewer1.ReportSource = reportDoc;
        private void DisposeCrystalReportObject()
          if (crystalReportViewer1.ReportSource != null)
            ReportDocument report = (ReportDocument)crystalReportViewer1.ReportSource;
            foreach (Table table in report.Database.Tables)
              table.Dispose();
            report.Database.Dispose();
            report.Close();
            report.Dispose();
            GC.Collect();
    Thanks

  • Lightroom Responsiveness When Working on Images

    I have loaded around 200 images into Lightroom and have instructed Lightroom to render standard (1600 DPI) and 1:1 previews. My computer is a Windows XP Athlon dual-core machine with 2 GB of Ram. The operating system is on a 10K Raptor drive with the Swap file, My Documents folder and Lightroom database on a second 7K Sata drive. Both drives are less than 50% full and have been recently defragmented.
    When I have the Develop Module open and select an image on the filmstrip it takes between 4 and 5 seconds before the Develop controls become active. During this time, the message "Loading..." appears superimposed over the image. Once the "Loading" message goes away, I can access the controls but the image the Develop controls aren't very responsive. When I move a slider, the image goes out of focus and then snaps back into focus once I stop moving the slider. The time lag for the image to come back into focus seems to be around 1 second after the time that I stop moving the slider.
    When I'm in the Library module and when I select an image image on the filmstrip, I will occasionally see a 1 - 2 second delay and will get the message "Working..." But this is livable but the 4 - 5 second lag each time that I select an image while in the Develop Module, along with the time for the image to respond to a slider move, makes the Develop Module very hard to use on my system.
    I have read many of the posts in this forum and have found many concerns about the time to ingest images but I haven't found much that seems to correlate with the problem that I am experiencing. Therefore, I decided to submit this post and to ask for help.
    Thanks in advance for your help.
    Dave Mayfield

    Don,
    I've done some more testing and I don't see much of any variation in the time that the Develop module displays the "loading..." message when a new file is selected on the filmstrip. I find that the time is between 4 and 5 seconds for any file that I have in my test database. The shots that I have are all raw files from a Canon 20D. The images range from very high in detail content to shots of just a gray card that fills the entire frame.
    Next, I wanted to see how much of my system ram was being used by Lightroom to see if the 2Gb of ram was adversely affecting the file access time. I loaded a tool that flushes everything that it can out of ram to have a fixed starting point. On my system with 2GB of ram, my available ram prior to loading Lightroom was 1.634 GB. When Lightroom had loaded, the available ram dropped to 1.442GB and didn't vary much as I accessed over 20 images with the Develop module. I continue to access images in both the Develop and Library modules but didn't see much change in the amount of available ram. Thus, it doesn't seem, given the small test database (~200 image), that ram is the limiting factor on my system.
    Then, I loaded a tool to take a look at processor utilization and found that the total load on both cores ramped up to nearly 100% and stayed there until the "loading..." message went away.
    Next, I loaded a disk activity monitor and determined that the drive where my Lightroom database is stored is accessed for approximately 1.4 seconds of the 5 seconds that the "Loading..." message is displayed.
    With this information, I took a closer look at processor utilization on my system, it looks like the load on both cores ramps up to about 50% as the disk is accesses and then ramps up to nearly 100% for the remaining time that "loading..." is displayed.
    This leads me to believe that most of the access time in the Develop module is related to the amount of processing that Lightroom has to do to show a "developed" onscreen image once the raw file has been read from disk. Hopefully, the Lightroom engineers are working on this as we speak. I wouldn't be at all surprised since this is only release 1.0 software that this processing time will be able to be reduced.
    Finally, since I have Norton Internet Security 2007 loaded on my computer, I completely disabled all of the various scanners within the software package and repeated several of the above listed tests. Happily, I didn't find any significant contributions to the access delays coming from any of the NIS tools / scanners.
    So - it really seems to me that the primary contributor to the "sluggishness" of file accesses in the Develop module on my system come from the processing time needed for Lightroom do "develop" and display the image.
    Hope this helps,
    Dave

  • Dual 2Ghz G5 Fans Ramp Up with Final Cut Pro 5

    Hey all,
    Somewhere amidst the release of OS X 10.4.3 and Final Cut Pro 5.0.4, our first generation Powermac Dual 2Ghz G5's fans will occasionally ramp up for 30-60 seconds, then die back down, several times a day. And when I say ramp up, I mean they go from as quiet as they can, to as loud as they can, and then slowly idle back down. On days I don't use Final Cut, the Powermac stays quiet. There's probably not a solution to this that Apple themselves won't have to fix with an update, but I was just curious if I'm the only one experiencing this. Thanks.

    Hi Fathertime,
    Thanks for your response. I'm rather late returning, but I wanted to follow-up on this. My Dual 2Ghz's fans didn't used to ramp up so obnoxiously like this, except when there was actually good reason to. As it is now, merely opening or playing back a simple DV video timeline causes the fans to ramp up to warp speed, and then slowly die back down multiple times throughout a workday. Needless to say, it makes audio tweaks and adjustments quite difficult when trying to listen closely and the computer keeps getting louder and louder...
    I'd wager that this issue arrived for me with a Software Update, although I have no idea which one. I'm currently running the most recent versions of everything Apple-related. Motion 2.0.1 is now endlessly crashing on me too, so maybe it's time to wipe this noisy monster clean.

  • How do I generate a RAMP signal w/ SigEx and SCXI for MTS-407 hydraulic controllers.

    I'm trying to generate a +/-10v full scale ramp signal to pass through two channels simultaneously. This signal will be used as external function [generator] for two MTS-407 servo/hydraulilc controllers connected to a single specimen. When I hit the "Start" button I need the function generator to generate a ramp (rate and amplitude) and pass this voltage off to both 407's.
    My first question I guess is: do I need a special SCXI module to access the NI-FGEN output signals or can these signals be passed through the DAQ card via the SCXI 1302 and Feedthrough panel?
    More question to follow...
    SCXI- 1000 Chassis w/ 1346 adapter
    PCI 6281 DAQ card
    SCXI- 1520 Bridge Board w/ 1314 Terminal Block (x2)
    SCXI- 1180 Feedthrough Panel w/ 1302 Block
    Signal Express 2012.
    Win7 Enterprise

    Hello,
    I am trying to do something similar to what you mention. I trying to use a labview program with a NI PXI-8106 and NI-PXI 6251 card to send a signal to a 407 controller through the external program BNC connector.
    When trying the software I don't get any signal send or response in the actuator.
    How did you solve this problem?
    Do I need special hardware?
    Please any help is appreciated
    Mi software is attached.
    David P.
    Attachments:
    ATTestControlV1.0.vi ‏261 KB

  • My fans dont ramp up!

    I was performing a test to see when my fan would ramp up in my new MacBook Pro. I fired up Safari and opened up as many youtube videos until the processor was clearly struggling to keep them all running. Maybe 10 tabs. Then in iStat, I watched the CPU temp and fan speed. My fans ALWAYs lug around at 2000 RPMs give or take a bit. The CPU climbed up until 90 degrees C and the fans were still unchanged. Is this normal? I stopped the test at 90 C fearing damage or a crash.
    What is going on here?

    I was just about to post the very same topic when I noticed this. Ever since purchasing my MBP, it has always run hot. Typically, 60-65 degrees C when idle, and I do truly mean idle - no abnormal activity shown in Activity Monitor. When running under medium load (let's say using iTunes to transcode an MP3, which uses about one full core of CPU power) the CPU temp will easily reach 90 degrees C. I phoned Apple within the first couple of days to question this, and received what seems to be the de-facto response of "it's within limits".
    For my own interest, I maxxed out both cores with yes > /dev/null and monitored the temps, the CPU reached 99 degrees celcius before I daren't go any further, the fan speed didn't increase at all, it just hovers around 2000RPM regardless of CPU load. I have since installed SMC fan control so I can at least manage fan speeds manually until I find a better solution, but this problem has been happening well before the installation of any such software.
    I am running the latest 1.7EFI which is supposed to address fan speed issues, and have also tried an SMC reset, all to no avail. To me, it looks to be an issue with OSX itself, as I can load the system and let the CPU reach 90 degrees, then if I shut down and re-power (specifically not reboot, as it doesn't seem to have the same affect), the fan speeds will ramp up to cool the CPU while OSX is loading. As soon as I reach the login screen, the fan goes back down to 2k RPM, despite the fact that the system is still 80 degrees + by the time I log in and manage to look at iStat or SMC.
    If any employees from Apple are reading this, please please provide some assistance, as I'm at my wits end with this. I should also mention that this problem has persisted despite completely erasing the disk and re-installing OSX, as the laptop has also been back for repair due to constantly freezing and pinwheeling. That seemed to be another common issue relating to the hard drive, since replaced by Apple, but that's another story.

  • Responsive Mobile Menus: Open and close on browser, but not in mobile?

    I have two responsive jquery menus I am working with. In the desktop browser they both look and operate fine (full screen and mobile size), but when that same responsive page with menu is viewed on an actual phone (Android and iphone), the menus both: SHOW FULLY OPENED WITH ALL PARENT AND CHILDREN?
    I believe I installed everyting properly (especially since it resizes and works perfect in a normal desk browser) -Dropsdown and Contracts back.
    Does anyone have any experience with this issue (Responsive menus works fine in a desktop browser, but shows completely opened, and will not drop or contract when viewed on an actual mobile phone, like Android or iphone?), and if so any guidance?
    Thanks very much

    Wow, you save me alot of time and headaches. You really know alot and are very helpful and taught me alot. Thank you for helping me, this is my first site I am still trying to build/get up, after years of on-off trying / learning/ abandoning (for other pursuits). This site is really important for me, and would mean alot for me to finally follow through on building.
    Do you know if this forums allows (or do you ever) add friends/contacts so you can message each other? I am somewhat a 'newbie', so I understand if problem, I would not bug/bother you, just curious and fully understand if not. (or do you ever contact via email, website, or other)?
    Also re: Vanilla Testing: I always test all my stuff on a blank HTML page with only the Boilerplate and JS that Dreamweaver provides. I don't know if I have the capability to fully do in something like notepad? Will this method (Boiler, JS, and blank HTML) suffice--No other Scripts--Not even my stylesheet?
    What do you think about this menu. Features seem good, has the most sales, good developer and support?
    http://themes.pixelworkshop.fr/?theme=MegaMenuCompleteSet

  • Report on campaign response

    Hi All,
    There was a campaign launch at beginning of month, and now we are trying to do analysis on the campaign response. We have a field at contact level called Subsegment which can have values like Experienced RIA, Inexperienced Stock Broker etc. Now, I need to develop a report that would give a count of click through, open response, opt out, hard bounce and also their % based on sub segment field. I am able to develop report with count of click through, open response, opt out, hard bounce but when I develop a field with formula as (Metrics."# of Click Through"/Metrics."# of Recipients")*100 and put this field in pivot table, I get all erroneous data. The formula gives me all weird values, it display 0 then there should be 15 etc.
    Can anybody please help in indentifying what wrong am I doing.
    Thanks in Advance,

    Hi All,
    Never Mind Guys, i figured it out, i had to cast the data type as float to get the desired output, the system was orginally converting everything into integer and that's why i was getting weird results.
    Thanks,

  • Multiple (but separate) domain problem & Apple's slow and useless response

    I am having problem with multiple (but separate) domain. I opened a ticket.
    Here is Apple's slow and useless response and my follow up.
    This follow up is not going to resolve the issues I am having. The sites are not in one domain file. I have split them into separate domains. I found that the simplest change to any page made the publishing process extremely and reasonably slow. If I updated a single site, iWeb republishes the whole conglomeration; hardly the most efficient way.
    I have several directories under the ~/Library/Application Support/iWeb/ directory with separate Domain.sites2 files for each site:
    consultingAM.com
    DarkAssassinMovie.com
    Fuzzy Llama Junior Optimist Club
    GulfportOptimist.com
    OptimistView
    pAwesomeProductions.com
    www.nfdoi.com
    With the previous version of iWeb, I navigated to a specific ~/Library/Application Support/iWeb/ directory, selected the Domain.site file, and opened it. This would open iWeb with the selected domain. Several of the sites have their blog page with the RSS subscribe option.
    Once I made the update, all I usually had to do was publish site and all was well. Occasionally, I would have to do a publish all if I changed domains. All in all, I had no problems with publishing once I found the right steps to be able to maintain multiple domains.
    Now, using the default publish or publish all process, all I get is the last site I published. In order to get things semi-functional, I published a site, then I would go to iDisk/Web/Sites/ directory, select the folder name for the site I had just published, then copy it or move it to iDisk/Web/Sites/iWeb directory. This was rather slow and I suspect it is not an approved solution, but it semi-worked. My sites are back up, but they are not fully functional.
    Is there anyway to get back to using the ~/Library/Application Support/iWeb/ directory (separate Domain.sites file for each site) process to publish multiple sites? If not, is there any way to suck in the various domains back into one? If that is possible, will it take hours to publish the combined 2-3GB like it did with the previous version?
    How do I reverse the 'personal domain' process? I do not want to do this at this time. I just wanted to see what the steps were. I have done the first step, but not the second.
    I was glad to see some of the changes made in the upgrade (web widgets, maps, html snippets, theme switching), but I am too happy about the changes made by the upgrade process. In the past, I upgraded my Apple related stuff as soon as it came out. Based on this upgrade, that won't happen again.
    It took you guys 5 days to get back to me (during which time several of my sites were down) and I do not believe the information you provided is going to solve my specific problems. I am very disappointed with the results of this upgrade. Clearly there was inadequate testing of this product before it was released. I cannot recall seeing the Apple discussion forums with hundreds of topics and thousands of posts within a week or two of a new release. Apple had to upgrade iWeb in the first week, another poor sign.
    Apple is beginning to slip back to the pack; all vendors all below average. Apple is getting more like Microsoft everyday. First Apple delays the release of an OS upgrade so they can concentrate on a freaking phone, now you release software that is so buggy it should be classified as beta at best.
    Some of the changes/problem I am seeing since the upgrade (in addition to the problems mentioned previously) are:
    layout changes; some of my pages no longer look the same; same of the changes are so bad the pages are unreadable
    broken photo pages; some of my photo pages no longer work; some of them have no text or pictures
    file/page name changes; why would Apple change the location of the files; now my domains are not pointing right location; special characters (like spaces, ampersands, etc.) are handled differently in this version; specifically, I see that spaces are changed to underscores (_); iWeb used to use '%20' for spaces; what was Apple thinking?
    broken 3rd party themes; I know Apple is not responsible for 3rd party themes, but you should certainly be aware that they exist
    Based on what I am seeing online, most of the people who are complaining about major iWeb issues are not newbies; based on the technical details in the threads, there are clearly some experienced people who are trying to figure things outw. I have lost many hours trying to figure this mess out. I now have to review hundreds of pages to try get things to look and work the way they did before the upgrade. I have had to handle dozens of phone calls and emails from my viewers and subscribers trying to explain the situation.
    I googled 'iweb 08 *****' and got nearly 50,000 hits! I think Apple better get in front of this train before it gets run over.
    On Aug 19, 2007, at 11:09 AM, .Mac Support wrote:
    Dear David,
    I understand that you are experiencing an issue viewing some of your websites published in iWeb:
    I have examined all of the published pages and they appear to load and function as expected. If you published your website to .Mac, you can visit it either of these ways:
    - In iWeb, click the Visit button in the lower-left corner.
    - Enter the following URL into a web browser:
    http://web.mac.com/daviddawley/
    If you have published more than one website, the URL above will take you to the default website, which is the first website listed in iWeb. To visit another website you have created in iWeb, use the following URL format:
    http://web.mac.com/daviddawley/iWeb/YourSiteName
    Using this form, the web addresses for the two sites you mentioned would be:
    http://web.mac.com/daviddawley/iWeb/FuzzyLlamaJuniorOptimist.com
    http://web.mac.com/daviddawley/iWeb/pAwesomeProductions.com
    To change the default website, simply open iWeb, and in the Site Organizer, drag the desired default website to the top and republish to .Mac.
    NOTE: Be sure to give each website a unique name. This will help prevent one website from overwriting another. For further information, refer to the following article:
    iWeb: Do not use similar names for your sites
    http://www.info.apple.com/kbnum/n303042
    If you still experience issues with the website, try the following troubleshooting steps:
    WAIT SEVERAL MINUTES
    If your website has movies, you may need to wait several minutes after going to the website before the movies are ready to play. The QuickTime Player icon indicates that a movie is still loading.
    CLEAR YOUR BROWSER CACHE
    If you use Safari, you can clear your browser cache by choosing Empty Cache from the Safari menu. If you use another browser, consult that browser’s documentation if you need assistance in clearing your browser cache.
    UPDATE YOUR BROWSER
    Make sure you are using the latest available version of your web browser when viewing pages published in iWeb. If you use Safari, you can check for updates by choosing Software Update from the Apple menu. If there are any available Safari, Security, or Mac OS X updates, install those updates and try looking at your website again.
    If you use another browser, consult that browser’s documentation if you need assistance in updating the browser.
    TRY ANOTHER BROWSER
    If you use a Mac, try viewing your website with Safari or Firefox. If you use Windows, try Internet Explorer 6 or Firefox. Firefox is a free download available here: http://getfirefox.com
    TRY ANOTHER NETWORK
    If possible, try viewing your website from another network or Internet connection. If you can successfully view the website from another network, please consult your network administrator or Internet service provider (ISP) to resolve this issue.
    Important: Mention of third-party websites and products is for informational purposes only and constitutes neither an endorsement nor a recommendation. Apple assumes no responsibility with regard to the selection, performance, or use of information or products found at third-party websites. Apple provides this only as a convenience to our users. Apple has not tested the information found on these sites and makes no representations regarding its accuracy or reliability. There are risks inherent in the use of any information or products found on the Internet, and Apple assumes no responsibility in this regard. Please understand that a third-party site is independent from Apple and that Apple has no control over the content on that website.
    Sincerely,
    Mel
    .Mac Support
    http://www.apple.com/support/dotmac
    http://www.mac.com/learningcenter
    Support Subject : iWeb
    Sub Issue : I can't publish to .Mac from iWeb
    Comments : I was interested in forwarding one of several iWeb based sites to one of my domains. I wanted to see what the steps were. I believe I inadvertently started the process for moving the site to www.nfdoi.com site. I have several sub directories under the ~/Library/Application Support/iWeb directory with separate domain.sites files (now domain.sites2).
    I was going through all of my domain.sites files and opening them in iWeb08; then publishing them. Somewhere along the line everything blew up. Most of my iWeb sites no longer function, It appears that every other iweb site other www.nfdoi.com is down EXCEPT the last one I published. I have made a mess of things and would appreciate any help.
    Don't work:
    http://web.mac.com/daviddawley/FuzzyLlamaJuniorOptimist.com
    http://web.mac.com/daviddawley/pAwesomeProductions.com
    Works:
    http://web.mac.com/daviddawley/Optimist_View/OptimistView.com/OptimistView.com.h tml
    ========= PLEASE USE THE SPACE ABOVE TO DESCRIBE THE ISSUE BASED ON THE QUESTIONS BELOW =========
    1. What version of iWeb are you using to publish to .Mac? iLife 08
    2. When did you first notice this issue? After publishing a few sites.
    3. What happens, including any error messages, when you try to publish your site?
    --------------------- Additional Info -------------------------
    Alternate email address : [email protected]
    OS Version : Mac OS X 10.4.10
    Browser Type : Safari 2.x
    Category : I can't publish to .Mac from iWeb
    Connection Type :Other
    TrackID: 4154168

    Just got off the phone with Apple Support.  There procedure was the following:
    1.  Go to the Apple TV, select settings, general and scroll down to reset.
    2.  Select reset and then select reset all
    Apple TV will go through a restart after the reset and you will have to select your network then log in with your network or Airport Express password.  You will then have to turn on home sharing and It will then ask you for your Apple ID for the iTunes store and then the password.  At this point you may not see your library, because the Apple TV wants you to turn on home sharing on your home computer that is hosting the movie library.  Turn off home sharing on that computer, restart iTunes and turn on home sharing again.  After this is done you should be able to see you library listed under the computer.
    After going through these steps, when I select an HD movie from my iTunes library the movie comes up after about a 5 second delay.
    Hope this helps!  I am back up for business.

  • I have one apple ID for multiple devices in my family.  I'd like to keep it that way for itunes/app purchases.  I would like a simple step 1, step 2, step 3 response on what I need to do to separate all other features like imessage, contacts, emails, etc.

    I have one apple ID for multiple devices in my family.  I'd like to keep it that way for itunes/app purchases.  I would like a simple step 1, step 2, step 3 response on what I need to do to separate all other features like imessage, contacts, emails, etc.
    I have been reasearching how to do this on the internet, but I haven't found an easy explanation yet.  My family is going crazy over each others imessages being sent to others in the family and not being able to use FaceTime because of conflicting email addresses.  I have read that if each person gets their own iCloud account, this would work.  However, I need to know what to do after I set everyone up with their own iCloud account.  Do I make that the default email address to be contacted or can they still use their hotmail email addresses.  Any help- with easy explanation- would be much appreciated!!

    We do this in my family now.  We have one account for purchases, so it is used to share music and apps (I think that is in Settings/iTunes & App Stores).  Each iDevice has this configured.
    Then, each of us has our own iCloud account that is configured under Settings/iCloud.  That then allows us to have our own Mail/Contacts/Calendars/Reminders/Safari Bookmarks/Notes/Passbook/Photo Stream/Documents & Data/Find My iPhone/and Backup.  That Backup piece is pretty sweet and comes in handly if you replace your iDevice.  You can just restore from it.
    So we all share the Apple Store account but we all have our own iCloud accounts to keep the rest seperate or things like you mentioned are a nightmare.
    In answer to what iCloud does for you: http://www.apple.com/icloud/features/
    Think of it as an internet based ("cloud") area for all of those items listed in my response.  What you need to remember is photo stream only maintans the last 1000 pictures so don't count it as a complete backup solution for your pictures.  Even though I rarely sync with a computer these days, I do still try to sync my phone with iPhoto (I have an iMac) so that I have copies of all of my pictures.  1000 may not stretch as far as it sounds.
    Message was edited by: Michael Pardee

  • Is there a way to create a rule that sends and Auto Response for a shared mailbox?

    I have a shared mailbox set up that receives emails that are sent to 3 different addresses:
    [email protected]
    [email protected]
    [email protected]
    I would like to create a rule that would send an auto response when someone emails one of these addresses.  However, I don't want an auto response sent to [email protected] so I can't just set up an "out of office" reply for the mailbox.
    Is there a way that I can create a rule to send an automated response to 2 of the 3 addresses?
    Nate

    Hi 
    we can enable the shared mailbox in ADUC and create Outlook rules for it in Outlook to achieve it. please follow these steps:
    1. In Active Directory Users and Computers, right-click the shared mailbox and click Enable Account.
    2. Configure the Outlook account for the shared mailbox in Outlook.
    3. Click Rules > Manage Rules & Alerts.
    4. Create a rule like the following format:
         Apply this rule after the message arrives
         Have server reply using a specific message
         Except if the subject contains specific words
         Select exception(s) (if necessary) of the Outlook Rule - (“except if from people or public group“)
    5. Apply the auto reply rules for this shared mailbox.
    Then users can receive auto reply of the shared mailbox except the exceptions we have set  when they send messages to this shared mailbox.
    Remember to mark as helpful if you find my contribution useful or as an answer if it does answer your question.That will encourage me - and others - to take time out to help you

  • How do I see calendar event responses (accept, decline,...)?

    Does Yosemite Calendar track the responses?  I just can't seem to find a way in the Calendar app itself on my macbook how to see who accepted, declined, maybe, or didn't respond at all yet. I see this very easily from my iPhone calendar app, just not on Mac. 
    Thanks!

    I'm not seeing where it shows me that.  Is it only the icons that tell me this?  There's no hover text or right click menu option that gives any other indication.

  • Error while processing a response

    Hi, i have the next error while my class is processing the response. The
    error is:
    java.lang.NoSuchMethodError at
    com.bea.portal.appflow.servlets.internal.PortalWebflowServlet.doGet(PortalWe
    bflowServlet.java:214) at
    javax.servlet.http.HttpServlet.service(HttpServlet.java:740) at
    javax.servlet.http.HttpServlet.service(HttpServlet.java:853) at ...
    My class only retrieve a param by request and send to response a image
    archive from a DB. The code is:
    response.setContentType(img.getMimetype().trim());
    response.setHeader("Content-disposition","attachment; filename=\"" +
    img.getNombre().trim()+"\"");
    response.setHeader("Cache-Control", "no-cache");
    response.setContentLength(img.getTamanoBytes());
    try {
    ServletOutputStream servletoutputstream =
    response.getOutputStream();
    servletoutputstream.write(buffer);
    servletoutputstream.flush();
    servletoutputstream.close();
    catch (IOException ex3) {
    throw new ProcessingException(ex3.toString());
    The "img" object contains my image properties and the "buffer" variable
    contains the byte array with the image.
    Has anybody idea whats happening??
    Thanks in advance.

    Hi Sambo44,
    Thanks for your posting!
    I am not totally understanding your meaning. How did you get this error?Did you want to login on Azure form your VS? From your error message, I am not sure you can login on Azure portal using your account. Please make sure your account is right.
    Or did you try to use ACS or WIF in your project for authorization? If it is , I suggest you can post this issue on Azure AD forum for more details.
    Any question about this issue, please feel free to let me know.
    Regards,
    Will 
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Calling a method on backing bean in response to contextual event

    Hi
    I am using Jdeveloper 11.1.1.6.0 and using ADF contextual events..
    I have a drop down list and i am rasiing a contextual event on changing the current selection. In response to that event i want to call a backing bean method with parameters.. But when i click on the subscriber section for the contextual event, i can see only some bindings of the page.. How can i call a method on backing bean as a subscriber..
    Thanks
    Raghu

    Hi,
    this article has a use case for the POJO approach: http://www.oracle.com/technetwork/issue-archive/2011/11-may/o31adf-352561.html
    Another is to define a method binding in the receiving PageDef file and configure it as explained here
    http://java.net/projects/smuenchadf/pages/ADFSamplesBindings/revisions/3#SMU164
    Frank

  • Error while creating New Responsibility

    Hi
    We have a R12 Instance. While defining a new responsibility I am getting a error as " ORA-01403: no data found, FRM-40735: ON-UPDATE trigger raised unhandled exception ORA--4063

    Hi,
    Please see these docs.
    FNDSCRSP - Creating New Responsibility Gives Errors FRM-40735 ORA-04068 [ID 239530.1
    ORA-01403 FRM-40735 WHEN-NEW-INSTANCE Trigger Raised Unhandled Exception ORA-06502 [ID 437087.1]
    Thanks,
    Hussein

Maybe you are looking for

  • My iphone has wiped everything from my last back up which was in august! what can i do before i go to my local Apple store this weekend?

    help!!! this is my first post so ill be breif, on tuesday i deleted a load of pictures that i had saved off FaceBook, i panicked and with the advise of many websites restored to last back up which was in august!!!! the pictures ive saved off face boo

  • Keyboard/period key issue

    Guys - my full-stop/period key has  started randomly misbehaving -  when I press it, a dictionary option comes up!!! I've looked at any possible keyboard shortcut aberrations, but no luck so far. Any clues? Cheers

  • FotoMagico Codec For FCP

    Hey Y'all, I have been reading the boards about Slideshows and it seems that many recommend FotoMagico. I played with it for a few hours and decided it was pretty good and now I have purchased it. My question is, what timeline preset should I use for

  • Incoterm in Purchase Order

    Can any one tell is incoterm only apply to purchases from overseas vendor, it is also applicable to local purchases? It is make sense to make Incoterm field as mandatory for all purchase order? Please help.

  • 16a  equity method,the investment is loss the positon came to zero

    Hi,experts We have trouble when our investment is came to zero,with equity method. In China GAAP ,The real business backgroud is our investment is equity method,not cost method. every year we will get the corporation 's profit or loss .And we shall c