Authority experts:: Problems with storing workbooks into the role menue

Hello,
during upgrade from BW 3.5 to BW 7.0 we got the problem, that workbooks cannot be stored into the role menue.
Trace ST01 and RSECADMIN hasn't send any authority warnings.
The workbooks are stored in the role menu (PCFG). We cann't find them by searching with the
query designer.
This are the entries we made in the roles:
S_USER_AGR:
ACTVT = *,
ACT_GROUP = Menu-Role
S_USER_TCD:
TCD = RRMX
(We took notice of the new analysis authoritation )
Thanks in advance.
Greetings
Peggy Nosek

goto the particular role in PFCG and check whether you are able to see the workbook. You can see the workbook in query designer. Open BEx analyzer and use the open workbook option to search for workbooks. The search is case sensitive. If you do not see any roles assigned through BEx anayzser, run a trace in RSECADMIN with your user id.

Similar Messages

  • Problem with storing pictures to the Media Card

    I set my 8330 to store pictures to the media card.  It works for a while and then the device reverts to storing it on the device memory.  It does this without asking or telling me that it's done so.  It's very frustrating.  Anybody have any idea why it would do this?

    Hi and Welcome to the Forums!
    That's a very odd situation. Can you tell us, when this happens, does your BB "see" the media card at all? For instance, if when you notice this, can you do Media > Explore and get to the media card still?
    Another thing to check is your device OS version -- perhaps there is an update from your carrier that has fixes that would be useful...you can check your carrier via this portal:
    http://na.blackberry.com/eng/support/downloads/dow​nload_sites.jsp
    If your device OS is current, then you might want to try a different media card...perhaps there is something amiss with the one you have. 
    Also, how to do you go about recovering and getting it to again store on the media card?
    Thanks!
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • Problem with Discoverer Workbook in Purchasing Intelligence menu

    Hello
    We have implemented out-of-the-box Purchasing Intelligence (PI) that comes with the Oracle e-Business Suite. There is only one Discoverer Workbook - 'Contract Savings Analysis' workbook which cannot be accessed from the Applications.
    This workbook works fine in standalone mode from Discoverer Plus or Desktop. However, whenever trying to access this workbook from the Applications PI menu, Discoverer is launched but the browser hangs with the message 'Loading workbook'.
    We checked the following:
    1. Menu
    2. Sub-menu
    3. Function
    4. Parameter (correctly set to workbook = POASVNGS)
    This is not one of the EDW Discoverer Workbooks but the single PI Discoverer Workbook.
    I was wondering if anybody in this forum has faced this issue before? Your suggestions or comments would be greatly appreciated.
    Thanks
    Sanjib Manna
    IBM Business Consulting Services

    The note provided by Luis will fix the issue.
    Excel 2000 seems not supported for a long time.
    As suggestion to avoid new issues, (specially performance issue), update the SAPGUI and BI Addons to latest version.
    Thanks
    John

  • Problem with storing key into database and decrypting the password.....

    Hi every one, i have prob with this code
    import java.security.NoSuchAlgorithmException;
    import java.sql.Blob;
    import java.sql.ResultSet;
    import javax.crypto.KeyGenerator;
    import javax.crypto.NoSuchPaddingException;
    import javax.crypto.SecretKey;
    import java.security.Key;
    import java.io.*;
    import java.security.InvalidKeyException;
    import java.sql.Connection;
    import java.sql.DriverManager;
    import java.sql.PreparedStatement;
    import javax.crypto.BadPaddingException;
    import javax.crypto.Cipher;
    import javax.crypto.IllegalBlockSizeException;
    public class SecurityUtil {
    public static final String ALGORITHM ="DES";
    public static Cipher cipher;
    SecurityUtil() throws NoSuchAlgorithmException, NoSuchPaddingException {
    cipher = Cipher.getInstance(ALGORITHM);}
    public static void serializeKey(Key key, File file) {
    //serializing
    try {     FileOutputStream fos = new FileOutputStream(file);
    ObjectOutputStream oos = new ObjectOutputStream(fos);
    oos.writeObject(key);
    oos.flush();
    oos.close(); } catch (Exception e) { System.out.println("Exception during serialization: " + e);
    System.exit(0); } }
    public static SecretKey deserializeKey(File file) {   //deserializing
    SecretKey key1 = null;
    try {  FileInputStream fis = new FileInputStream(file);
    ObjectInputStream ois = new ObjectInputStream(fis);
    key1 = (SecretKey) ois.readObject();
    ois.close();
    System.out.println("object2: " + key1); } catch (Exception e) {
    System.out.println("Exception during deserialization: " + e);
    System.exit(0);}
    return key1;
    public static byte[] encrypt(String input, SecretKey key) throws InvalidKeyException, BadPaddingException,
    IllegalBlockSizeException {
    cipher.init(Cipher.ENCRYPT_MODE, key);
    byte[] inputBytes = input.getBytes();
    return cipher.doFinal(inputBytes);
    public static String decrypt(byte[] encryptionBytes, SecretKey key) throws InvalidKeyException,
    BadPaddingException, IllegalBlockSizeException {
    cipher.init(Cipher.DECRYPT_MODE, key);
    byte[] recoveredBytes = cipher.doFinal(encryptionBytes);
    String recovered = new String(recoveredBytes);
    return recovered;
    public static void main(String[] args) throws Exception {
    SecurityUtil su = new SecurityUtil();
    // SecurityUtil.testUsingSerialization();
    SecurityUtil.testWithDatabase();
    public static void testUsingSerialization() throws Exception {
    KeyGenerator kg = KeyGenerator.getInstance("DES");
    kg.init(56); // 56 is the keysize. Fixed for DES
    SecretKey key = kg.generateKey();
    File file1 = new File("root:/testKey.key");
    serializeKey(key, file1);
    SecretKey deserializedKey = deserializeKey(file1);
    byte[] encryptionBytes = encrypt("input", key);
    System.out.println("Recovered: " + decrypt(encryptionBytes, deserializedKey));
    public static void testWithDatabase() throws Exception {
    KeyGenerator kg = KeyGenerator.getInstance("DES");
    kg.init(56); // 56 is the keysize. Fixed for DES
    SecretKey key = kg.generateKey();
    boolean insertResult = insert("prasunay","prasunay",key);
    System.out.println("<<======= insert result: " + insertResult);
    boolean validateAuthenticationDetails = validateAuthenticationDetails("prasunay","prasunay");
    System.out.println("<<======= right values:" + validateAuthenticationDetails);
    boolean validateAuthenticationDetails1 = validateAuthenticationDetails("prasunay","prasun");
    System.out.println("<<======= WRONG values:" + validateAuthenticationDetails1);
    System.out.print("done!"); }
    public static boolean insert(String username,String password,SecretKey key) throws Exception {
    // mysql> CREATE TABLE myusers (user_name VARCHAR(20), pass_word VARCHAR(20), my_key BLOB);
    // Query OK, 0 rows affected (0.03 sec)
    Class.forName("com.mysql.jdbc.Driver");
    Connection con = DriverManager.getConnection("jdbc:mysql://localhost/users?user=root&password=");
    PreparedStatement ps = con.prepareStatement("INSERT INTO myusers VALUES (?, ?, ?)");
    ps.setString(1,username);
    byte[] encryptionBytes = encrypt(password, key);
    ps.setString(2, new String(encryptionBytes));
    ByteArrayInputStream ois = getStreamFromKey(key);
    byte[] keyBytes = getBytesFromKey(key);
    System.out.println("Key Length" + keyBytes.length);
    ps.setBinaryStream(3, ois, keyBytes.length);
    int result = ps.executeUpdate();
    System.out.println(result);
    ps.close();
    con.close();
    if (result > 0) {
    return true;
    } else {
    return false; } }

    code continuation.......
    public static boolean validateAuthenticationDetails(String username, String password) throws Exception {
    boolean result = false;
    // mysql> CREATE TABLE myusers (user_name VARCHAR(20), pass_word VARCHAR(20), my_key BLOB);
    // Query OK, 0 rows affected (0.03 sec)
    Class.forName("com.mysql.jdbc.Driver");
    Connection con = DriverManager.getConnection("jdbc:mysql://localhost/users?user=root&password=");
    PreparedStatement ps = con.prepareStatement("select my_key,pass_word from myusers where user_name = ?");
    ps.setString(1, username);
    ResultSet resultSet = ps.executeQuery();
    if (resultSet.next()) {
    String passwordFromDB = resultSet.getString("pass_word");
    Blob keyBlob = resultSet.getBlob("my_key");
    System.out.println(keyBlob);
    System.out.println("key" + resultSet.getBinaryStream("my_key").read());
    InputStream keyInputBinaryStream = keyBlob.getBinaryStream();
    System.out.println("keyInputBinaryStream: " + keyInputBinaryStream);
    System.out.println("keyInputBinaryStream: " + keyInputBinaryStream.available());
    ObjectInputStream ois = new ObjectInputStream(keyInputBinaryStream);
    SecretKey key = (SecretKey) ois.readObject();
    System.out.println(key);
    String decryptedPwd = decrypt(passwordFromDB.getBytes(), key);
    System.out.println("Decrypted pwd : " + decryptedPwd);
    System.out.println("pwd sent for authorization : " + password);
    if (password.equals(decryptedPwd)) {
    result = true;
    } else {result = false;   }
    } else {
    System.out.println("Invalid user!!"); }
    ps.close();
    con.close();
    return result; }
    public static ByteArrayInputStream getStreamFromKey(SecretKey key) throws Exception {
    ByteArrayOutputStream o = new ByteArrayOutputStream();
    ObjectOutputStream out = new ObjectOutputStream(o);
    out.writeObject(key);
    byte[] keyBytes = o.toByteArray();
    ByteArrayInputStream bis = new ByteArrayInputStream(keyBytes);
    return bis;}
    public static byte[] getBytesFromKey(SecretKey key) throws Exception {
    ByteArrayOutputStream o = new ByteArrayOutputStream();
    ObjectOutputStream out = new ObjectOutputStream(o);
    out.writeObject(key);
    byte[] keyBytes = o.toByteArray();
    return keyBytes; } }
    but it is giving following run-time error: Key Length263
    1
    <<======= insert result: true
    com.mysql.jdbc.Blob@1ea0252
    key172
    keyInputBinaryStream: java.io.ByteArrayInputStream@3e89c3
    keyInputBinaryStream: 263
    javax.crypto.spec.SecretKeySpec@fffe7a51
    Exception in thread "main" javax.crypto.IllegalBlockSizeException: Input length must be multiple of 8 when decrypting with padded cipher
    plzz suggest some solution...

  • Problem when we log into the Webclient with IC_AGENT business role

    Hello,
    We are facing a problem when we log into the interaction center ( with IC_AGENT business role) after the login screen ( we fill the correct user and password) then system starts the application, but a error appears.
    We dont knon why but it is happening only with IC_AGENT role, We have check the SICF and it is ok.
    Cannot display view ICCMP_HEADER/HeaderViewSet of UI Component ICCMP_HEADER
    An exception occurred during the internal HTTP communicationException Class CX_BSP_WD_HTTP_RESPONSE_ERROR
    Text:
    Additional Info: Business Server Page (BSP) Error
    Program: CL_BSP_WD_STREAM_LOADER=======CP
    Include: CL_BSP_WD_STREAM_LOADER=======CM002
    Source Text Row: 159
    Cannot display view CRM_UI_FRAME/WorkAreaViewSet of UI Component CRM_UI_FRAME
    An exception has occurredException Class CX_BSP_WD_RUNTIME_ERROR - View BPIDENT.MainWindow in component CRM_UI_FRAME could not be bound
    Method: CL_BSP_WD_VIEW_CONTROLLER=>BIND_VIEW
    Source Text Row: 165
    Initialization of view CRM_UI_FRAME/WorkAreaViewSet of UI Component CRM_UI_FRAME failed
    An exception has occurredException Class CX_BSP_WD_RUNTIME_ERROR - View BSPWD_BASICS/WorkAreaHostViewSet in component CRM_UI_FRAME could not be bound
    Method: CL_BSP_WD_VIEW_CONTROLLER=>BIND_VIEW
    Source Text Row: 165
    Cannot display view CRM_UI_FRAME/MainWindow of UI Component CRM_UI_FRAME
    An exception has occurredException Class CX_BSP_WD_RUNTIME_ERROR - View BSPWD_BASICS/WorkAreaHostViewSet in component CRM_UI_FRAME could not be bound
    Method: CL_BSP_WD_VIEW_CONTROLLER=>BIND_VIEW
    Source Text Row: 165
    Initialization of view CRM_UI_FRAME/MainWindow of UI Component CRM_UI_FRAME failed
    An exception has occurredException Class CX_BSP_WD_RUNTIME_ERROR - View CRM_UI_FRAME/WorkAreaViewSet in component CRM_UI_FRAME could not be bound
    Method: CL_BSP_WD_VIEW_CONTROLLER=>BIND_VIEW
    Source Text Row: 165
    Cannot display view Root.htm of UI Component CRM_UI_FRAME
    An exception has occurredException Class CX_BSP_WD_RUNTIME_ERROR - View CRM_UI_FRAME/WorkAreaViewSet in component CRM_UI_FRAME could not be bound
    Method: CL_BSP_WD_VIEW_CONTROLLER=>BIND_VIEW
    Source Text Row: 165
    An error occurred during initialization of the application
    An exception has occurredException Class CX_BSP_WD_RUNTIME_ERROR - View CRM_UI_FRAME/MainWindow in component CRM_UI_FRAME could not be bound
    Method: CL_BSP_WD_VIEW_CONTROLLER=>BIND_VIEW
    Source Text Row: 165  
    Any help thanks in advance.

    hi luis,
    your error description reminds me of an inactive SICF, but you wrote, that you checked this before.
    on this forum is an excellent entry with lots of hints and tipp for the IC WebUI:
    Documentation for Interaction Center (IC) WebClient
    Documentation for Interaction Center (IC) WebClient
    maybe this will help.
    best wishes,
    hakan

  • Facing problems with network due which the phone goes into hangs status

    Facing problems with network due which the phone goes into hangs status.  some one help me with switching between 2g and 3G network

    Hi Mani Nair,
    I apologize, I'm a bit unclear on the exact nature of the issue you are describing. If you are talking about having issues with a 3G cellular data network, you may find the troubleshooting steps outlined in the following article helpful:
    iPhone cellular data connection issues
    Regards,
    - Brenden

  • I am having problems loading sampler patches into the exs24 sampler, when i got into edit menu and load multiple samples all the samples r greyed out and i cannot slect them, any help with this would be much appreciated

    I am having problems loading sampler patches into the exs24 sampler, when i got into edit menu and load multiple samples all the samples r greyed out and i cannot slect them, any help with this would be much appreciated

    It is very difficult to offer troubleshooting suggestions when the "os version" you are using is unknown as each os has their own troubleshooting solutions. 
    How large is your hard drive and how much hard drive space do you have left? 

  • Problem with storing and retriving a different langauge font in mysql

    hi,
    i have problem with storing and retriving a different character set in
    mysql database ( for example storing kannada font text in database)
    it simply store what ever typed in JTextField in database in the
    formate ??????????? and it showing ???????? .
    please what can i do this problem.
    thanks
    daya

    MySQL does not know about what type of Font you use or store. that is applicatioon specific. All it knows is the character set that you are storing and the data type and data. THere are something you should know when working with database and Java:
    1. make sure you know what character set is used for the database table.
    2. make sure you know what character set is used by Java (default to UTF-8 ..
    sort off - there are few character that it cannot save). You can enforce the
    character set being sent to the database by the String's getBytes(String charsetName) method.
    3. make sure the application you use to view the table use the correct character set
    if it use a different character set, then any character that it does not recogized
    will be replaced with a quetion mark '?'....eventhough the data is correct.

  • HT1222 I am trying to update my phone so I can save my info on my old phone & get a new phone, but I get a error that says "There was a problem with downloading teh software, the network connection timed out.."  HELP!  Not sure what my settings shoud be..

    I am trying to update my phone so I can save my info on my old phone & get a new phone, but I get a error that says "There was a problem with downloading teh software, the network connection timed out.."  HELP!  Not sure what my settings shoud be...
    I never updated anything until now...I want o update my iPhone to the newest version, but i do not want ot loose all that I have on this phone. I was told I needed to update the operating systems so i can put things into the cloud for transport to new phone, but I am just not sure how to do this..Can you help out here??

    Dear Jody..jone5
    Good for you that can't update your iphone because I did it and my iphone dosen't work for example I can't download any app like Wecaht or Twitter..
    Goodluck
    Atousa

  • Chart - problem with realize one of the function under CR XI

    Post Author: mrowa
    CA Forum: Charts and Graphs
    Hello,
    I have
    problem with realize one of the function under CR XI. I would be persuade if
    any of us would like to help me.
    1)   
    1) From
    database (basically from one table), I take data to make report. Each of record
    have appropriate fields:
    dteData
    intYear
    intMonth
    intDate
    2)   
    2) I
    want to realized comparison data from two or more periods of time on one chart
    and in one table. For easily explanation I will describe problem on two
    periods.For instance, user want to display and compare
    on chart date (type monthly -sum data of each month) from 2007.02 u2013 2007.05
    with date from 2006.03 u2013 2006.06. So we compare month 2007.02 with 2006.03;
    2007.03 with 2006.04; 2007.04 with 2006.05; 2007.05 with 2006.06
    On char I would like to display bars with comparison
    of months.
    Problem is that I donu2019t know how to write
    something similar. I can use one period without any problems, but two and mores
    I canu2019t realized.
    Detail description:
    I passed
    two parameters two report:
    {?from}, {?to} u2013for first period
    {?offset}, it means {?from}+{?offset},
    {?to}+{?offset}  - for second period
    On axis Y I have Sum(intDate);On
    X (year + month). But on each value x( example 20007.02) I need to have
    two values (bars). Value for standard period and offset.
    For example for x=2007.02, I need
    two bars one equal 2007.02 and second with offset u2013 2006.03
    Movement to next value (bar) is
    persuade by fields {data.rok}&{data.month} first or second period. This is
    combination of two elements year&month defined under Formula. Problem
    persist in that both period has different year.month and here problem starts once
    again. I donu2019t know how to solve it. I have found out one solution but it
    limits user only for two periods (I want to compare more).
    My idea for compare only two
    periods:
    I make one query in CR for one
    period and second query for second period.
    Firs query:
    "SELECT 
           year ,
          month
    Second query
    "SELECT 
           year + FLOOR({month + offset} % 13),
          {month + offset} % 13
    Then in CR I connect two periods and
    make u201Ctableu201D (results of queries) with JOIN on fields year and month.
    This solution is not functional,
    because I need to make reports for days and hours as well. In this solution I
    canu2019t use (%31), because not all months has 31 days.
    I use CR in WEB app made in Visual
    Studio 2005. Maybe from aspx we can manipulate with date to get exact solution,
    and solve problem with SELECT.
    Hope my description clearly
    describe problem and someone will be able to help me. I would be thankful.

    I have had similar problem before.
    Because I had too many data, the legend would not display all the data. Also the chart would not display all the data. But I was able to find a work around.
    In your case, Right click on the Legend text and click on Format Legend Entry.
    Change the font of the legend to 4 (which is the minimum). This may work.
    If you are also having problem with data labels, you could change the font size of the data labels.
    Hope this helps.
    Thank you.

  • I have a 13.5 month old Ipad2, wifi only that has had problems with wifi com from the beginning. I am learning that this is not unusual for apple. Any suggestions?

    I have a 13.5 month old Ipad2, wifi only that has had problems with wifi com from the beginning. I am learning that this is not unusual for apple. Any suggestions?
    ronald1094

    Try #5.
    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
    ~~~~~~~~~~~~~~~~~~~~~~~~~
    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 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 am going to japan with an Ipod nano and Iphone 4. Do I need a converter? or does the one the iphone comes with that plugs into the wall enough?

    I am going to japan with an Ipod nano and Iphone 4. Do I need a converter? or does the one the iphone comes with that plugs into the wall enough? I know i wont need an adapter because it will fit into the wall outlet, but voltage wise, will i need a converter? Japan runs on 100 V. I am so confused on all of this...

    As long as the adapter is 2 pronged, then you should be able to use it without any problems.
    B-rock

  • Problems with "no color" in the "Fill and Stroke"

    I am having problems with “no color” in the “Fill and Stroke” function of Flash CS4 Pro.
    I had been using CS4 for 10 days and everything worked fine. Then I tried experimenting with various color combinations (along with “no color”) for “Fill and Stroke” for a simple button. Suddenly CS4 locked up on me while I was working with the “color panel”. A second color panel appeared in the upper left corner and the program was not responding. All I could do was to end the CS4 task.
    After that, whenever I created even a simple rectangle, at first the colors would appear as indicated for “Fill and Stroke”, but when I selected the object to see its properties, either the stroke or the fill color box would have a red slash line, indicating a “no color”, and I couldn’t select the color box to change it using the ink bottle tool, although the other box worked fine.
    Rebooting did not help. So I uninstalled CS4 (and didn’t keep the preferences), rebooted, then reinstalled it. The problem was still there. Logging on as another user didn’t help. I tried restoring the Windows system to before I installed CS4 and resinstalling it and that didn’t work. I have a disfunctional CS4 now and I don’t know what to do to fix it. Please help me. Thank you.

    Have you updated flash to 10.0.2?  Have you played around with a bunch of different selections, objects, and so forth to see if this box is always incorrect?  I think there's some particular selection (order of selecting things, and so on), where the color swatches in one location don't work as expected. However, it should not happen all the time and from what I recall it was fairly easy to work around (I can't even figure out what this was - so probably not it, as it seems hard to run into or perhaps now fixed).
    Also make sure you have the stroke selected - if you don't have everything selected, either the fill or stroke will show no color and dim depending on the selection.

  • Problems with importing images into Lightroom cc

    Problems with importing images into Lightroom cc
    I have installed lightroom cc and having trouble imortera images from my Canon 1DX.
    Lightroom starting the capture, but then nothing happens more, if I turn off the camera, I get error message photo 100-200 could not be loaded.
    Now I have left lightroom 5 and where the input port works fine.
    What happened to the upgrade from Lightroom 5 to lightroom cc?
    The camera has the latest software.

    I've now tested in various ways.
    First, I have images on both memory cards in the camera.
    Test1) Selects Not all of the photos in the camera at the input port bearings, it seems to work fine.
    Test 2) selects all cards in the camera and then get the following, Lightroom starts inportera short but stops and nothing happens (Fig.1).
    I turn the camera off after a while and get the next meddelnade (picture 1)
    Which can be translated:
    "The following files were not imported because they could not read (351)
    Property 1-100
    etc. "
    Picture 1.
    Picture 2

  • I'm having problems with facebook notifications.  The sound doesn't work but shows up in banner.  Any suggestions?  I've tried everything but restoring.  Is it a phone problem or an app problem?

    I am having a problem with facebook notifications.  The sound doesn't work but appears as a banner.  I've tried everything but restoring the phone.  Is this a phone problem or an app problem?  Has anybody experienced this problem and were they able to correct it? 

    1) This is because of software version 1.1. See this
    thread for some options as to how to go back to 1.0,
    which will correct the problem...
    http://discussions.apple.com/thread.jspa?threadID=3754
    59&tstart=0
    2) This tends to happen after videos. Give the iPod a
    minute or two to readjust. It should now be more
    accurate.
    3) This?
    iPod shows a folder icon with exclamation
    point
    4) Restore the iPod
    5) Try these...
    iPod Only Shows An Apple Logo and Will Not Start
    Up
    iPod Only Shows An Apple Logo
    I think 3,4, and 5 are related. Try the options I
    posted for each one.
    btabz
    I just noticed that one of the restore methods you posted was to put it into Disk Mode First rather than just use the resstore straight off, I Have tried that and seems to have solved the problem, If it has thank you. previously I have only tried just restoring it skipping this extra step. Hope my iPod stays healthy, if it doesnt its a warrenty job me thinks any way thanks again

Maybe you are looking for