404 and other odd results from 11.2 docs in tahiti

Just an observation, searching on things like pga at tahiti.oracle.com then clicking on 11.2 results gives 404 errors. Clicking on the 11.2 docs then searching gives not found errors. No problems with other versions. I optimistically take this as a sign that someone is updating the doc set. But it would seem odd to update at 11:00AM on a workday.

user13312943 wrote:
Hi,
I would like to test downgrade process through the scripts (@catdwgrd.sql). Oracle documentation http://docs.oracle.com/cd/E18283_01/server.112/e17222/downgrade.htm
says
"2.If you previously installed a recent version of the time zone file and used the DBMS_DST PL/SQL package to upgrade TIMESTAMP WITH TIME ZONE data to that version, then you must install the same version of the time zone file in the release to which you are downgrading. For example, the latest time zone files that are supplied with Oracle Database 11g Release 2 (11.2) are version 14 as of this printing. If after the database upgrade, you had used DBMS_DST to upgrade the TIMESTAMP WITH TIME ZONE data to version 14, then install the version 14 time zone file in the release to which you are downgrading. This ensures that your TIMESTAMP WITH TIME ZONE data is not logically corrupted during retrieval. To find which version your database is using, query V$TIMEZONE_FILE"
1) In my case, I used DBMS_DST and now the version if the time zone file is 14. If I have to go back to 10.2.0.4, Should i copy the files to $ORACLE_HOME/ORACORE/ZONEINFO (where $ORACLE_HOME is 10.2.0.4)?
No - you should not copy files from the 11gR2 HOME to the 10.2.0.4 HOME - instead apply patch 9742718 to the 10.2.0.4 HOME (which corresponds to v14 of the DST patch)
Updated DST transitions and new Time Zones in Oracle Time Zone File patches [ID 412160.1]
2) If my Oracle 10.2.0.4 is shared with multiple instances, will i introduce risk for other databases running on the same oracle home when I copy the files?
You will need to follow steps in 9742718 for all of the databases running out of the 10.2.0.4 HOME
3) What other steps should I do other than copying the version 14 files into this directory?
See above
Thank You
SarayuHTH
Srini

Similar Messages

  • Does CRM supports firefox and other browsers apart from IE

    Hi,
    can you pls share if CRM supports firefox and other browsers apart from IE. are their any specific settings to enable other browsers?
    any documentation would be helpful.
    thanks
    RH

    RH,
    From The PAM choose the link SAP Application Components->SAP CRM.
    Then pick your release of CRM.  Then in the release detail information,  choose the web browser and/or web browser platform tabs.
    I.e. I did this for CRM 4.0 and found that basically only IE was supported for IC webclient.
    Take care,
    Stephen

  • Odd results from SQL statement in JSP

    Hi.
    Getting very strange results from my SQL statement housed in my JSP.
    the last part of it is like so:
    "SELECT DISTINCT AID, ACTIVE, REQUESTOR_NAME, ..." +
    "REQUESTOR_EMAIL" +
    " FROM CHANGE_CONTROL_ADMIN a INNER JOIN CHANGE_CONTROL_USER b " +
    "ON a.CHANGE_CTRL_ID = b.CHANGE_CTRL_ID " +
      " WHERE UPPER(REQUESTOR_NAME) LIKE ? ";   I've set the following variables and statements:
    String reqName = request.getParameter("requestor_name");
    PreparedStatement prepstmt = connection.prepareStatement(preparedQuery);
    prepstmt.setString(1, "%" + reqName.trim().toUpperCase() + "%");
    ResultSet rslts = prepstmt.executeQuery();
    rslts.next();
    int aidn = rslts.getInt(1);          
    int actbox = rslts.getInt(2);     String reqname = rslts.getString(3).toUpperCase();
    String reqemails = rslts.getString(4);
    String bizct = rslts.getString(5);
    String dept = rslts.getString(6);
    String loc = rslts.getString(7);
    Date datereq = rslts.getDate(8);
    String busvp = rslts.getString(9);
    AND SO ONSo then I loop it, or try to with the following:
    <%
      try {
      while ((rslts).next()) { %>
      <tr class="style17">
        <td><%=reqname%></td><td><%=reqemails %></td><td><%=bizct %></td>td><%=dept %></td>
       <td><%=aidn %></td>
      </tr>
      <%
    rslts.close();
    selstmt.close();
    catch(Exception ex){
         ex.printStackTrace();
         log("Exception", ex);
    %>AND so on, setting 13 getXXX methods of the 16 cols in the SQL statement.
    Trouble is I'm getting wildly inconsistent results.
    For example, typing 'H' (w/o quotes) will spit out 20 duplicate records of a guy named Herman, with the rest of his corresponding info correct, just repeated for some reason.
    Typing in 'He' will bring back the record twice (2 rows of the complete result set being queried).
    However, typing in 'Her' returns nothing. I could type in 'ell' (last 3 letters of his name, Winchell) and it will again return two duplicate records, but typing in 'hell' would return nothing.
    Am I omitting something crucial from the while statement that's needed to accurately print out the results set without duplicating it and that will ensure returning it?
    There's also records in the DB that I know are there but aren't being returned. Different names (i.e. Jennifer, Jesse, Jeremy) won't be returned by typing in partial name strings like Je.
    Any insight would be largely appreciated.
    One sidenote: I can go to SQL Plus and accurately return a results set through the above query. Having said that, is it possible the JDBC driver has some kind of issue?
    Message was edited by:
    bpropes20
    Message was edited by:
    bpropes20

    Am I omitting something crucial from the while
    statement that's needed to accurately print out the
    results set without duplicating it and that will
    ensure returning it?Yes.
    In this code, nothing ever changes the value of reqname or any of the other variables.
      while ((rslts).next()) { %>
      <tr class="style17">
        <td><%=reqname%></td><td><%=reqemails %></td><td><%=bizct %></td>td><%=dept %></td>
       <td><%=aidn %></td>
      </tr>
      <%
    } You code needs to be like this:while (rslts.next()) {
      reqname = rslts.getString(3).toUpperCase();
      reqemails = rslts.getString(4);
      bizct = rslts.getString(5);
      dept = rslts.getString(6);
      loc = rslts.getString(7);
      datereq = rslts.getDate(8);
      busvp = rslts.getString(9);
    %>
      <tr class="style17">
        <td><%=reqname%></td><td><%=reqemails %></td><td><%=bizct %></td>td><%=dept %></td>
       <td><%=aidn %></td>
      </tr>
      <%
    There's also records in the DB that I know are there
    but aren't being returned. Different names (i.e.
    Jennifer, Jesse, Jeremy) won't be returned by typing
    in partial name strings like Je.Well, you're half-right, your loop won't display all the rows in the result set, because you call rslts.next(); once immediately after executing the query. That advance the result set to the first row; when the loop is entered, it starts displaying at the 2nd row (or later if there are more next() calls in the code you omitted).

  • In VB how do I pass my low and high limit results from a TestStand Step into the ResultList and how do I retrieve them from the same?

    I am retrieving high and low limits from step results in VB code that looks something like this:
    ' (This occurs while processing a UIMsg_Trace event)
    Set step = context.Sequence.GetStep(previousStepIndex, context.StepGroup)
    '(etc.)
    ' Get step limits for results
    Set oStepProperty = step.AsPropertyObject
    If oStepProperty.Exists("limits", 0&) Then
    dblLimitHigh = step.limits.high
    dblLimitLow = step.limits.low
    '(etc.)
    So far, so good. I can see these results in
    VB debug mode.
    Immediately after this is where I try to put the limits into the results list:
    'Add Limits to results
    call mCurrentExecution.AddExtraResult("Step.Limits.High", "UpperLimit")
    call mCurrentExecution.AddExtraResult("Step.Limits.Low", "LowerLimit")
    (No apparent errors here while executing)
    But in another section of code when I try to extract the limits, I get some of the results, but I do not get any limits results.
    That section of code occurs while processing a UIMsg_EndExecution event and looks something like this:
    (misc declarations)
    'Get the size of the ResultList array
    Call oResultList.GetDimensions("", 0, sDummy, sDummy, iElements, eType)
    'Step through the ResultList array
    For iItem = 0 To iElements - 1
    Dim oResult As PropertyObject
    Set oResult = oResultList.GetPropertyObject("[" & CStr(iItem) & "]", 0)
    sMsg = "StepName = " & oResult.GetValString("TS.StepName", 0) & _
    ", Status = " & oResult.GetValString("Status", 0)
    If oResult.Exists("limits", 0&) Then
    Debug.Print "HighLimit: " & CStr(oResult.GetValNumber("Step.Limits.High", 0))
    Debug.Print "LowLimit: " & CStr(oResult.GetValNumber("Step.Limits.Low", 0))
    End If
    '(handle the results)
    Next iItem
    I can get the step name, I can get the status, but I can't get the limits. The "if" statement above which checks for "limits" never becomes true, because, apparently the limit results never made it to the results array.
    So, my question again is how can I pass the low and high limit results to the results list, and how can I retrieve the same from the results list?
    Thanks,
    Griff

    Griff,
    Hmmmm...
    I use this feature all the time and it works for me. The only real
    difference between the code you posted and what I do is that I don't
    retrieve a property object for each TestStand object, instead I pass the
    entire sequence context (of the process model) then retrieve a property
    object for the entire sequence context and use the full TestStand object
    path to reference sub-properties. For example, to access a step's
    ResultList property called "foo" I would use the path:
    "Locals.ResultList[0].TS.SequenceCall.ResultList[].Foo"
    My guess is the problem has something to do with the object from which
    you're retrieving the property object and/or the path used to obtain
    sub-properties from the object. You should be able to break-point in the
    TestStand sequence editor immediately after the test step in question
    executes, then see the extra results in the step's ResultList using the
    context viewer.
    For example, see the attached sequence file. The first step adds the extra
    result "Step.Limits" as "Limits", the second step is a Numeric Limit (which
    will have the step property of "Limits") test and the third step pops up a
    dialog if the Limits property is found in the Numeric Limit test's
    ResultList. In the Sequence Editor, try executing with the first step
    enalbled then again with the first step skipped and breakpoint on the third
    step. Use the context viewer to observe where the Limits property is added.
    That might help you narrow in on how to specify the property path to
    retrieve the value.
    If in your code, you see the extra results in the context viewer, then the
    problem lies in how you're trying to retrieve the property. If the extra
    results aren't there, then something is wrong in how you're specifying them,
    most likely a problem with the AddExtraResult call itself.
    One other thing to check... its hard to tell from the code you posted... but
    make sure you're calling AddExtraResult on the correct execution object and
    that you're calling AddExtraResult ~before~ executing the step you want the
    result to show up for. Another programmer here made the mistake of assuming
    he could call AddExtraResult ~after~ the step executed and TestStand would
    "back fill" previously executed steps. Thats not the case. Also, another
    mistake he made was expecting the extra results to appear for steps that did
    not contain the original step properties. For example, a string comparison
    step doesn't have a "Step.Limits.High" property, so if this property is
    called out explicitly in AddExtraResult, then the extra result won't appear
    in the string comparison's ResultList entry. Thats why you should simply
    specify "Step.Limits" to AddExtraResul so the Limits container (whose
    contents vary depending on the step type) will get copied to the ResultList
    regardless of the step type.
    I call AddExtraResult at the beginning of my process model, not in a UI
    message handler, so there may be some gotcha from calling it that way. If
    all else fails, try adding the AddExtraResult near the beginning of your
    process model and see if the extra results appear in each step's ResultList.
    Good luck,
    Bob Rafuse
    Etec Inc.
    [Attachment DebugExtraResults.seq, see below]
    Attachments:
    DebugExtraResults.seq ‏20 KB

  • Strange query plans, and so different results from a view.

    In my database (11g), I have a currency exchange rate table, which contains all currencies and their exchange rate to USD. I need to have a number of different exchange rates - To GBP, EUR, etc...
    To accomplish this I have created a view, which has one union statement of all the USD exchange rates, with the same data joined back on itself to give the exchange rates based on their exchange rate to USD - ie: SELECT b1.Date, b1.Currency AS FromCurrency, b2.Currency as ToCurrency, b1.Rate/b2.Rate as Exchange Rate FROM Rates b1, Rates b2 on b1.Date = b2.Date
    This view works fine when I query it, and returns the data as I expect.
    I have a second view that is joined to this view to give a return of the amount in each currency for reporting. This view seems to work correctly when I narrow down the search requirements and have a small set of data.
    The issue I am having is when I query the second view and get it to return all the data. Instead of receiving 4 rows per transaction (I am only interested in 4 exchange rates for display) I typically receive up to 2 rows. The first record is for the conversion to USD, the second record is for the conversion to the supplied currency. The issue is that this exchange rate actually includes the aggregate for all 3 other requested currencies (not the USD).
    So instead of getting something like:
    Amt RC BC (Amt = Amount, RC = Reporting Currency. BC = Base Currency)
    60 GBP GBP
    80 EUR GBP
    100 USD GBP
    1000 ZAR GBP
    60 GBP USD
    80 EUR USD
    100 USD USD
    1000 ZAR USD
    I get the following set of results:
    1140 GBP GBP
    100 USD GBP
    100 USD USD
    Has anyone come accross something similar or have any ideas on how I can resolve this?
    Thanks
    PS: I can get both sets of results from the same view depending on the filter criteria. Also if I convert the exchange rates into a table, it then returns the correct results as expected.

    943081 wrote:
    The idea is to seek help in solving the problem. I was hoping that perhaps someone had experienced the same thing - different results for "effectively" the same query:Well, that's the issue... without additional info, it's not clear what issue you were seeing.
    SELECT * FROM view WHERE Date = '01 January, 2012'
    verse
    SELECT * FROM view WHERE Date > '31 December, 2011' ORDER BY DateNow it's a bit clearer. That second query is not "effectively" the same as the first query. If the date column is in DATE format, then you ought to have a to_date() around the date string to explicitly convert it into a date so you can do date-to-date comparisons correctly. Also, DATE datatype stores times as well as dates, so asking for data matching midnight of a specific date is different than asking for data greater than midnight of the previous day.
    If the date string is a string, then ... well, the string "31 December 2011" is greater than the string "31 August 2013", despite it being an earlier date. This is why making sure you're using the right datatype for the job is important - a date is different to a string that just happens to contain a date.
    DateID
    I have no objection to using a Date but always struggle to understand what someone means when they tell me "06/07/2012" - granted if the day is above 12 or the same day and month I don't have a problem - but it still leaves 121 days a year that are confusing. sure, but just because you find outputting the display (or rather, someone else's output) confusing doesn't mean you still shouldn't use the correct datatype. Store things as a date, and you can then output it in whatever format you like. Try doing that with a string or a number.
    Don't say it doesn't happen as I got a birthday card from a company in May this year when I have specifically entered my date of birth as being the 5 of a month (name drop down box on their website)!Just because someone else doesn't understand how to work with dates correctly doesn't mean you can't! It's not exactly rocket science, after all!*{;-)                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

  • How do I uninstall Firefox and other related files from a Mac laptop computer?

    I want to remove Firefox and other files that may not be removed from my Mac laptop computer. How do I do this?

    Firefox also stores personal data in the Firefox profile folder in two locations (main profile and cache files, see about:cache).
    */Users/&lt;user&gt;/Library/Application Support/Firefox/Profiles/&lt;profile&gt;/
    */Users/&lt;user&gt;/Library/Caches/Firefox/Profiles/&lt;profile&gt;/Cache
    *http://kb.mozillazine.org/Profile_folder_-_Firefox
    In Mac OS X v10.7 and later, the ~/Library folder is a hidden folder.
    *http://kb.mozillazine.org/Show_hidden_files_and_folders#Mac_OS_X

  • Disk Utility and other Utilities GONE from Utilitis Folder

    On my PowerBook G4 I noticed that some icons don't look right and an installer disk (for iLife 06) won't run....So I remember it's been a long time since I've run permimssions repair. I go the DiskUtility Folder and almost everything is gone The only thing in there is Bluetooth File Exchange and one or two other items. There should be about 30 apps in there...! What happened? How can I get Disk Utility back ? Is it possible all these files are actually there but the Mac's directly has just lost them? Perhaps running permissions repair would fix it -- but I can't find it!

    Have you tried booting while holding down the shift key? This will force it to boot in to Safe Mode which will force the system to check the disk and to check the fonts. If you can boot this way it may give you some clues as to what is happening. My guess is since you did an archive and install which keeps all of your networks settings, preferences, and cache files intact that the issue is really with one or more of them.
    As the problem seems to be caused by Safari and/or AOL I would start by trashing all t he preference files for both applications. In fact it may be a good idea to completely reset Safari which you do by going to the Safari menu and selecting "reset Safari" When you do this it will wipe out all the cache files and other files and give you a kind of new Safari.
    These solutions I am proposing a fairly radical. You may lose all your bookmarks, and all or the preferences you had originally set but it may solve the issue.
    Another thing you could try is to get a program like Tiger Cache Cleaner or Cocktail or YASU and use it to clean all your cache files.
    If doing things like this still don't stop Safari and AOL from causing problems then I think you may have to reformat your drive and reinstall everything from scratch. Make sure you have backups of your personal files.
    Good Luck!!

  • Contact transfere contacts and other informatio​n from one blackberry 8330 to a blackberry 8520

    I moved from Verizion Blackberry 8330 to a Blackberry 8520 T-Mobile
    I'm also using the Blackberry desk top software.
    Like I said in the subject line all contacts cannot be found

    We really appreciate the posts, but this is a peer-to-peer Forum designed for users to help each other.
    If you wish to contact Palm, they have a website in place for suggestions like yours:
    http://www.palm.com/us/company/feedback.html
    WyreNut
    I am a Volunteer here, not employed by HP.
    You too can become an HP Expert! Details HERE!
    If my post has helped you, click the Kudos Thumbs up!
    If it solved your issue, Click the "Accept as Solution" button so others can benefit from the question you asked!

  • Purchase and sales flow resulting from 'production in other plant'.

    Dear all,
    When using the procurement type 'P' (production in other plant), materials are consumed in plant A and goods receipts from production order happens in plant B.
    When plants A and B belong to different company codes, SAP generates a cross-company document. Within the receiving company, the offsetting account for the stock account is the cross-company clearing account.
    This posting is generally not sufficient as legal and tax requirements ask for a sales and purchasing flow between the 2 company codes. Therefore many companies need to 'develop a solution' to complete this posting 'after the facts'.
    Does anybody know whether this additional posting exists under the form of an 'add-on' or additional solution to the standard made available by one or another partner of SAP ? Note that the starting point for this question is important : our company wants to use the 'production in other plant' flow because the native purchase and sales flows are too much time consuming.
    Thanks for your help.
    José Beghein

    Hi all,
    I want to be a bit more accurate here :
    The produced material in plant B has a special procurement type code (MARC-SOBSL) which in its definition contains procurement type E (BESKZ) and special procurement P (ESOBS). It is special procurement P that triggers the 'production in other plant' behaviour. The production plant (WRK02) is also specified in the definition of the special procurement type code.
    Kind regards.
    José Beghein

  • Unable to restart and other oddness.

    I'm currently on my 3rd install of Leopard on this laptop hoping that something would change but It hasn't.
    Once I'm logged in on my account I'm fine until I try and restart or shutdown. I'll look like I'm going to do either but it goes to the time machine background only with the spinner going, but it just stays there forever. I'm forced to do a hard reset. I've found that if I log out and then tell it to shutdown I'm fine. A bit annoying but as long as I remember I don't have to hold the power button down.
    Does anyone know why this may be happening ?
    currently I have growlhelperapp , quicksilver, airport disk agent, and synergyd running on login. hopefully that helps.
    2nd odd thing is I've had crashes from the wireless driver at least once per install so far that has required me holding the power down and I've sent a bug report to apple.
    3rd odd thing has only happened once but I'm posting it in case It happens again. Terminal.app said 'PAM Error (line 396): System error' whenever I or any other user on the system tried to use it. A reboot fixed that.
    I'm kind of wondering if being 5th in line at the KOP Apple store was such a good idea. Performance of bf2142 tonight will be the determining factor.
    Message was edited by: Meanderis

    I think I figured out the restart problem finally. I noticed that .mac sync was swirling on restart attempt. So I undid my mac account and trashed the file it left on my desktop. It restarted properly twice. I then reenabled .mac sync and tried it again after It created the iDisk and was fully synced. I was able to reboot properly twice after that. I'll post here again if I encounter this issue again or figure out anything on the other 2 issues.

  • How do you remove iTunes and other Apple products from my PC, manually?

    I just bought a $250 5th-gen iPod. But I can't install iTunes.
    A while back, I think I just deleted the program folder or something, or maybe the the uninstaller just somehow broke on its own. In any case, the program folder is gone and the uninstaller doesn't work.
    Running the iTunes installer gives me the following error:
    The feature you are trying to use is on a network resource that is unavailable.
    Click OK to try again, or enter an alternate path to a folder containing the installation package 'iTunes.msi' in the box below.
    I did a search and found the iTunes.msi file in a temp folder. I selected it in the installer to try to solve the problem, but I received another error message:
    The file "C:\Documents and Settings\HP_Owner\Local Settings\Temp\IXP460.TMP\iTunes.msi" is not a valid installation package for the product iTunes. Try to find the installation package 'iTunes.msi' in a folder from which you can install iTunes.
    So, I uninstalled QuickTime and tried to manually remove every iTunes files and iTunes-related registry entry. No good.
    When I run the iTunes installer now, it hangs\freezes when it gets to "Registering modules."
    The only solution to the problem is a full manual uninstall.
    I called Apple tech support and explained the problem, and they said that registry issues were a third-party problem, emailing me a tech support page I'd already read and suggesting I call Microsoft -- but oh, she said, make sure you don't tell them it's a problem with iTunes registry entries "or they'll refer you back to us."
    Yes, because what the iTunes installer does to my PC is not a third-party issue.
    I don't blame the tech support people, though, and I hope my post here doesn't lead to any of them being reprimanded.
    Anyway, my request is simple: Someone, anyone, give me a list of every file and registry entry that Apple software adds to my computer, so I can remove it manually.

    When I run the iTunes installer now, it hangs\freezes when it gets to "Registering modules."
    hmmmmm. by any chance do you have SpyCatcher (or the version of GhostSurf platinum that contains SpyCatcher) on that PC?
    if so, try uninstalling SpyCatcher altogether prior to the itunes install. if it goes through properly this time, launch itunes at least once prior to reinstalling SpyCatcher.
    see:
    iTunes 7 or later for Windows Installation stops responding while "registering modules"

  • Odd results from ADG608 multiplexer

    Hi dear enthusiasts,
    I am trying to use the following circuit (in the attachments) to switch between multiple resistors using a multiplexer. Initially I had different values of resistors attached to every channel, but since I was getting very strange and HUGE!! results, I grounded all the channels except the first channel and just connected a 120 ohm resistor. I am measuring resistor readings of magnitudes of Mega ohms and I have no idea how such huge values of resistance are showing up at all. I am not sure what I am doing wrong and I really really appreciate any help.
    Solved!
    Go to Solution.
    Attachments:
    MUX and quarter_bridge combo_test design2.ms12 ‏145 KB
    MUX and quarter_bridge combo_te.pdf ‏54 KB

    johnsold wrote:
    You cannot measure resistance directly in an active (powered) circuit. You must measure the voltage and current at the relevant points and use Ohm's Law to calculate the resistance. SImulators are jsut like real circuits in this regard.
    You also need to use voltages and currents which are compatible with the devices in the circuit. With 12 V applied to Y2 you will get ~100 mA flowing through S1 of the ADG608 when it is enabled.  I did not look up the specs but suspect that that is too much current.
    I only have a few minutes now and cannot draw up a circuit for you. Connect V1 to Y2 through an ammeter. This will let you measure the current through the mux. Also measure the voltage at Y1.  Then the switch resistance Rs = (V1 - V(Y1))/I(V1).
    Lynn
    Thank you very very much Lynn. I applied the setting that you were talking about which makes a very good sense and I found out that the internal S1 resistance was roughly 15 ohms. When I put a 120 ohm resistance before S1 next time I got a total resistance of around 135 ohms which makes sense considering the individual resistances of the S1 channels and the 120 ohm resistor. The 12V for V1 was also too much and I was careless about it because I thoought I had already taken that into account and had reduced it, but obviously I had not.
    Once again thank you and congratulation for being nominated the Knight of NI.
    I have attached my schematic for the sake of interest.
    Attachments:
    MUX and quarter_bridge combo_te3.pdf ‏54 KB

  • System Preferences can't set date and time and other odd behaviour

    I have a 2008 Macbook Air, which is beginning to show signs of age, but now appears to have taken on a terminal problem.  I can't set the date and time in the system preferences, even when connected to the internet - the pane just comes up as faded out and I am unable to do anything. The problem started after I accidentally allowed the battery to run down without having shut down the computer and it automatically assumed a date of 1 Jan 2001. I am unable to perform any updates on the machine until the issue is resolved, according to software update.
    Other strange things that have happened are that the trackpad no longer responds to the 'tap to click' function or 'two finger' click. In system preferences, I cannot edit energy saver, network (advanced) or account settings - attempting to do so brings up more faded panels or an error message after failure to load.
    Has anyone seen similiar behaviour on their mac or have suggestions as how I might resolve the problem?
    Thanks!

    If this is recent, what has changed since the last time D&T worked correctly?
    I see that your Question has languished for some period of time without response. You have posted your issue in Using Apple Support Communities whose topic is 'How to use this forum software's interface, features and/or how to find what you wish'. It is a relatively low traffic and inappropriate forum for your problem. I will ask our Hosts to move it to " Using iPhone " where it may get a more rapid response from your fellow users.
    ÇÇÇ

  • How do I uninstall adobe cloud and other adobe programs from my iMac?

    How do I uninstall adobe cloud?

    At the bottom of this help page are instructions for uninstalling the applications: http://helpx.adobe.com/creative-cloud/help/install-apps.html.
    Remember to deactivate your subscription / serial number first. Launch a product and from the help menu choose either Help > Deactivate (CS6 and earlier) or Help > Sign Out.

  • Using TeX's cmex10.pfb and other odd-coded fonts in Java

    I can use Font.createFont on COmputer Modern (maths) fonts like cmmi and cmex postscript type1 files and get a font. But as best I can discern many of the glyphs therein do not get found by the mapping via Unicode and I have been having trouble finding how to access them. Eg cmex10 reports it has 130 glyphs in but only 20 unicode codepoints admit to being populated and most of those do not display anything for me. Can anybody tell me how to select a physical font like that and access the glyphs by the raw unmapped codes that TeX gave them? Sample code would be nice but any pointers to what to do would perhaps help. Thanks! Arthur

    Further investigation: Java up to 1.3 or 1.4 had font property config files but those seen no longer present and do not cover fonts loaded from resources well.
    If I use the t1disasm disassembler on the type1 font and edit the postscript to change the names of some of the postscript procedures used to draw fonts to A, B, C etc I can then see those glyphs. So Java seems to be using the names of the items in the font encoding vector to try to map chars onto Unicode and just discarding glyphs it can not cope with ????
    So maybe I will be able to cope by making a trick version of cmex that names all its glyphs as if they are things in the Unicode space that Java knows about! But that seems pretty gross to me and a better solution that gave me raw access to the fonts by uninterpreted character code would be nicer.

Maybe you are looking for

  • Copyright Question about Adobe Patterns

    I have created illustrations for a book and am using Adobe Photoshop Elements to "color in" my drawings. In addition to the patterns which came with my program, I have downloaded patterns from Adobe Exchange. How would you suggest I reference/give cr

  • Transfer song to computer

    Hi there Could somebody tell me how you can take songs from an iPod Video and put them onto your computer... is it possible? Thanks for your help in advance, Ryan

  • How to display text?

    hello guys, i've created a frame using these codes JFrame frame = new JFrame();           frame.setSize(FRAME_WIDTH, FRAME_HEIGHT);           frame.setTitle("Aeroplane Seat");           frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);           

  • Why Garageband doesn't let me send email more than 10 mb suddenly since today 1/10/14

    Why Garageband doesn't let me send email more than 10 mb suddenly since today 1/10/14. Just destroy my business of voice over. It makes me furious first thing in the morning!!Why????

  • Restore back in time

    I have a ibookg4 and i would like to know if there is a way to restore this apple to go back like 2 days, I deleted a video out of final cut pro and I need to get it back, any suggestions?