Too many ID I am very confused!

Hello

I'm new to BB dev and worked on an application using the Simulator. Now, I want to test it on my own phone, but in circles. Could someone explain, in simple terms what each of these IDS are for.

Debugging token

The author ID

BlackBerry ID

CSJ pine

Signing keys

BlackBerry ID token

The Docs online send me just in circles.

Thanks in advance!

Stuart

No problem, we're here to help.

You don't need a token of debugging for the Simulator, only a real device.

You can use what you want your the author ID.  It should not be something, but I recommend that you use the same you use in the portal provider of BlackBerry World for consistency for your users.

The login for BlackBerry ID is an email address.

This error occurs when you try to save a CSJ (used to configure the code signing key) more than once.  You don't do it once and then you can connect as many applications as you want and create as many debug chips as you want.

Signature code of self-help pages can direct you to the documentation to create a token of debugging for the IDE that you use.

Tags: BlackBerry Developers

Similar Questions

  • overloading a DATE with time STAMP function to avoid the "too many declarations.

    CREATE OR REPLACE PACKAGE util
    AS
      FUNCTION yn (bool IN BOOLEAN)
        RETURN CHAR;
    
      FUNCTION is_same(a varchar2, b varchar2)
        RETURN BOOLEAN;
    
      FUNCTION is_same(a date, b date)
        RETURN BOOLEAN;
    
      /* Oracle's documentation says that you cannot overload subprograms
       * that have the same type family for the arguments.  But, 
       * apparently timestamp and date are in different type families,
       * even though Oracle's documentation says they are in the same one.
       * If we don't create a specific overloaded function for timestamp,
       * and for timestamp with time zone, we get "too many declarations 
       * of is_same match" when we try to call is_same for timestamps.
       */
      FUNCTION is_same(a timestamp, b timestamp)
        RETURN BOOLEAN;
    
      FUNCTION is_same(a timestamp with time zone, b timestamp with time zone)
        RETURN BOOLEAN;
    
      /* These two do indeed cause problems, although there are no errors when we compile the package.  Why no errors here? */
      FUNCTION is_same(a integer, b integer) return boolean;
    
      FUNCTION is_same(a real, b real) return boolean;
    
    END util;
    /
    
    CREATE OR REPLACE PACKAGE BODY util
    AS
      /********************************************************************************
         NAME: yn
         PURPOSE: pass in a boolean, get back a Y or N
      ********************************************************************************/
      FUNCTION yn (bool IN BOOLEAN)
        RETURN CHAR
      IS
      BEGIN
        IF bool
        THEN
          RETURN 'Y';
        END IF;
    
        RETURN 'N';
      END yn;
    
      /********************************************************************************
         NAME: is_same
         PURPOSE: pass in two values, get back a boolean indicating whether they are
                  the same.  Two nulls = true with this function.
      ********************************************************************************/
      FUNCTION is_same(a in varchar2, b in varchar2)
        RETURN BOOLEAN
      IS
        bool boolean := false;
      BEGIN
        IF a IS NULL and b IS NULL THEN bool := true;
        -- explicitly set this to false if exactly one arg is null
        ELSIF a is NULL or b IS NULL then bool := false;
        ELSE bool := a = b;
        END IF;
        RETURN bool;
      END is_same;
    
      FUNCTION is_same(a in date, b in date)
        RETURN BOOLEAN
      IS
        bool boolean := false;
      BEGIN
        IF a IS NULL and b IS NULL THEN bool := true;
        -- explicitly set this to false if exactly one arg is null
        ELSIF a is NULL or b IS NULL then bool := false;
        ELSE bool := a = b;
        END IF;
        RETURN bool;
      END is_same;
      
      FUNCTION is_same(a in timestamp, b in timestamp)
        RETURN BOOLEAN
      IS
        bool boolean := false;
      BEGIN
        IF a IS NULL and b IS NULL THEN bool := true;
        -- explicitly set this to false if exactly one arg is null
        ELSIF a is NULL or b IS NULL then bool := false;
        ELSE bool := a = b;
        END IF;
        RETURN bool;
      END is_same;
    
      FUNCTION is_same(a in timestamp with time zone, b in timestamp with time zone)
        RETURN BOOLEAN
      IS
        bool boolean := false;
      BEGIN
        IF a IS NULL and b IS NULL THEN bool := true;
        -- explicitly set this to false if exactly one arg is null
        ELSIF a is NULL or b IS NULL then bool := false;
        ELSE bool := a = b;
        END IF;
        RETURN bool;
      END is_same;
    
      /* Don't bother to fully implement these two, as they'll just cause errors at run time anyway */
      FUNCTION is_same(a integer, b integer) return boolean is begin return false; end;
      FUNCTION is_same(a real, b real) return boolean is begin return false; end;
      
    END util;
    /
    
    declare
     d1 date := timestamp '2011-02-15 13:14:15';
     d2 date;
     t timestamp := timestamp '2011-02-15 13:14:15';
     t2 timestamp;
     a varchar2(10);
     n real := 1;
     n2 real;
    begin
     dbms_output.put_line('dates');
     dbms_output.put_line(util.yn(util.is_same(d2,d2) ));
     dbms_output.put_line(util.yn(util.is_same(d1,d2) ));
     dbms_output.put_line('timestamps'); -- why don't these throw exception?
     dbms_output.put_line(util.yn(util.is_same(t2,t2) ));
     dbms_output.put_line(util.yn(util.is_same(t,t2) ));
     dbms_output.put_line('varchars');
     dbms_output.put_line(util.yn(util.is_same(a,a)));
     dbms_output.put_line(util.yn(util.is_same(a,'a')));
     dbms_output.put_line('numbers');
     -- dbms_output.put_line(util.yn(util.is_same(n,n2))); -- this would throw an exception
    end;
    /
    Originally, I had just the a function with the arguments of VARCHAR2. It worked not correctly because when the dates were gone, the automatic conversion into VARCHAR2 lowered the timestamp. So, I added a 2nd function with the arguments to DATE. Then I started to get "too many declarations of is_same exist" error during the passage of time stamps. This made no sense to me, so, although documentation Oracle says you can't do this, I created a 3rd version of the function, to manage the TIMESTAMPS explicitly. Surprisingly, it works fine. But then I noticed that he did not work with TIMESTAMP with time zones. Therefore, the fourth version of the function. Docs of the Oracle say that if your arguments are of the same family, you can't create an overloaded function, but in the example above shows, it's very bad.

    Finally, just for grins, I created the functions of number two, one number, the other with REAL and even these are allowed - they are compiled. But then, at runtime, it fails. I'm really confused.

    Here's the apparently erroneous Oracle documentation on this subject: http://docs.oracle.com/cd/B12037_01/appdev.101/b10807/08_subs.htm (see overload subprogram names) and here are the different types and their families: http://docs.oracle.com/cd/E11882_01/appdev.112/e17126/predefined.htm.

    Published by: hot water on 9 January 2013 15:38

    Published by: hot water on 9 January 2013 15:46

    >
    So, I added a 2nd function with the arguments to DATE. Then I started to get "too many declarations of is_same exist" error during the passage of time stamps. It makes no sense for me
    >
    This is because when you pass a TIMESTAMP Oracle cannot determine whether to implicitly convert to VARCHAR2 and use your first function or implicitly convert to DATE and use your second function. Where the "too many declarations" error exist.
    >
    , even if said Oracle documentation you can not do, so I created a 3rd version of the function to manage the TIMESTAMPS explicitly. Surprisingly, it works fine. But then I noticed that he did not work with TIMESTAMP with time zones.
    >
    Perhaps due to another error "too many declarations? Because now, there will be THREE possible implicit conversions that might be made.
    >
    Therefore, the fourth version of the function. Docs of the Oracle say that if your arguments are of the same family, you can't create an overloaded function, but in the example above shows, it's very bad.
    >
    I think that the documentation, of the family of 'date', is wrong as you suggest. For WHOLE and REAL, the problem is that those are the ANSI data types and are really the same Oracle data type; they are more like "alias" that different data types.

    See the doc of SQL language
    >
    ANSI SQL/DS and DB2 data types

    The SQL statements that create tables and clusters allows also ANSI data types and products IBM SQL/DS and DB2 data types. Oracle recognizes the ANSI or IBM data type name that differs from the Oracle database data type name. It converts the data type for the equivalent Oracle data type, stores the Oracle data type under the name of the column data type and stores the data in the column in the data type Oracle based on the conversions listed in the following tables.

    INTEGER NUMBER

    INT

    SMALLINT
    NUMBER (38)

    FLOAT (Note b)

    DOUBLE-PRECISION (Note c)

    REAL (Note d)
    FLOAT (126)

    FLOAT (126)

    FLOAT (63)

  • Why have too many tabs suddenly removed?

    Firefox Add ons have worked very well.
    Following an accident, I am now informed that too many tabs 1.3.6 is not compatible with Firefox 3.6.18.
    I don't want to spend because, generally, many Add ons fail to work with the upgrades and upgrade tends to be a step backward, as regards Add ons.
    Firefox usually emits new versions prematurely and tends to put the cart before the horse in this case add ons.
    They can wait patiently add ons are ready and compatible.

    I don't see why there would be a problem. Have you tried to uninstall and reinstall too many tabs? If you have persistent problems, you should contact the developer.

    Wait for the module developers would take forever and a day. The worst culprits are the toolbars of the large commercial operations which have several months announcing changes of the version. And often the required changes are really minor. I manage very well with no third-party toolbars.

    My extensions do not have necessary update for weeks. If you have an extension that is trolling there is often the best alternative, certainly better maintained. Too many toolbars seems not to be a culprit.

    Sorry for reading. I have no connection with Firefox except as a happy user.

  • FF slow loading, maybe because of too many that add ons. those who know turn off? Thank you.

    FF was loading very slow for me lately, and I think that may be too many Add ons, but I don't know which ones is necessary and those that are not. Thanks for any advice.

    This has happened

    Each time Firefox opened

    Is a few weeks ago.

    The images are of your plugins and you have only 13 of the images, but you have either deleted or disabled some of them as only 10 are in plug-ins installed at the bottom of your post. not a large number.

    What your extensions?

    There may be many reasons for any slow application at startup. Without more information, or to be in front of your system, it is difficult to diagnose. 2 suggestions below.

    Firefox Safe Mode
    You may need to use questions Troubleshoot Firefox in Safe Mode (click on "Safe Mode" and reading) to locate the problem. Firefox Safe mode is a diagnostic mode that disables Extensions and some other features of Firefox. If you are using a theme, place you in the DEFAULT theme: Tools > Modules > Themes before start Safe Mode. When you enter Safe Mode, do not check all the items in the window, just click "continue mode without failure." A test to see if the problem you are experiencing is fixed.

    See:
    Troubleshoot extensions, themes, and issues of hardware acceleration to resolve common problems of Firefox
    Solve problems with plugins like Flash or Java to solve the common problems of Firefox
    Troubleshoot and diagnose problems in Firefox

    If the problem does not occur in mode without failure, then disable all your Extensions and Plug-ins, and then try to find out who is causing by allowing both the problem reappears. You MUST close and restart Firefox after EACH change via file > restart Firefox (on Mac: Firefox > Quit). You can use 'Disable all add-ons' on the start safe mode window.

    Malware scan
    Install, update and run these programs in this order. They are provided free for personal use, but some have limited functionality in "free" mode, but those are features that you don't really need to find and eliminate the problem that you have. (Not all programs detect the malware even.)

    Malwarebytes' Anti-Malware - http://www.malwarebytes.org/mbam.php
    SuperAntispyware - http://www.superantispyware.com/
    AdAware - http://www.lavasoftusa.com/software/adaware/
    Spybot Search & Destroy - http://www.safer-networking.org/en/index.html
    Windows Defender - http://www.microsoft.com/windows/products/winfamily/defender/default.mspx
    Dr Web Cureit - http://www.freedrweb.com/cureit/

    If they can't find it or cannot delete it, post in one of these forums using specialized malware removal:
    http://bleepingcomputer.com
    http://www.spywareinfoforum.com/
    http://www.spywarewarrior.com/index.php
    http://Forum.aumha.org/

  • HP laptop: enter the model number and get a "game too many results.

    My HP laptop dies after 6 weeks. When I contact support, he asks the model number. I enter: say "15-ay041wm" is what the box and laptop. I get a reply that says.

    "Sorry, too many results match your search for 15-1y041wm.

    "So I try HP Notebook, I get the same mesaage above, except with the HP laptop ' instead of '15-ay041wm.

    Because no matter where I'm going, he wants the model number and I give, I can't help. No cat, no nothing.

    So someone can tell me how to get support?

    If HP is unable to handle the number of model of it's own computers, so I'm not very confident.

    Here are the free support number to call in the USA/Canada... 1 800-474-6836.

    Now here's another question, you can report to HP on if you want...

    You must stay online and listen to the automated assistant trying to talk to you to talk to a representative... visit the HP website... go to this support forum (which has no official presence in HP), etc.

    After a minute or two, the Assistant to say, if you can't get online, will stay on the line to speak to a customer services representative.

    This is when you will have the opportunity to speak with a support person and report the problem to open a pension case.

  • App problem creates too many handles, PC crashes, how do I know why and stop it?

    We have a problem application that creates too many handles (about 3000 every 2 seconds), but it does so only with certain PC which have a conexant onboard sound, how can I find more information about why the handles are consumed at such a pace? (winxpsp3, dell optiplex 390)
    Application uses a wrapper.exe and seems to use a lot of Flash/Shockwave/Java. (Range of software active Teach of Pearson).
    The handles of process SYSTEM seem to be created as the registry constantly queried for (relative to the sound card) non-existent registry keys.
    His conexant card drivers were installed as a local administrator, and update the BIOS & PC drivers not yet had effect.

    Once the number of handles starts to get in the Millions, the PC grinds to a stop/crashes(usually takes less than 30 mins!) coup!

    Any help, suggestions accepted with gratitude.
    Thank you very much
    Dave.

    Hello

    Your question of Windows is more complex than what is generally answered in the Microsoft Answers forums. It is better suited for the IT Pro TechNet public. Please post your question in the TechNet Windows Networking forum.

    http://social.technet.Microsoft.com/forums/en/w7itpronetworking/threads

  • How to uninstall security programs I don't have, I have more than one and do not know which to use. they clean too many files when uninstalled!

    How to uninstall security programs I don't have, I have more than one and do not know which to use.  they clean too many files when uninstalled

    Hello jillmarsden,

    It is not recommended to have multiple Antivirus or firewall installed at the same time because they can cause conflicts as PaulAuckNZ said. However, instead of remove antivirus in programs and features, you must go to the Antivirus website and use the removal tool which is produced by the manufacturer of the antivirus program.

    Microsoft has a free Antivirus called Microsoft Security Essentials. It provides protection for your PC in real time at home that protects against software viruses, spyware and other malicious software. It is simple to install, easy to use and always up-to-date with protection.
    You can download from the link below:

    http://www.Microsoft.com/securevista

    Be very careful on the acceptance of direct assistance to another user. If this user suggests that he use Remote Assistance to help you, be aware that it will have access to your computer and that your computer could be hacked.

    Please let us know if you have any other questions.

    Sincerely,

    Marilyn

  • Help: too many newspapers using EzVPN

    Hello

    I've implemented EzVPN on ASA Version 9.2 (4) 5. My goal is just the address pool (10.11.10.x) VPN access everywhere instead of using the actual IP address of my laptop. NAT is not necessary on the SAA outside interface. I even only to not configure the inside interface.

    Everything works as expected, with the exception of too many even syslog messages from ' % ASA-4-402117: IPSEC: received a package not IPSec (Protocol = UDP) 10.11.10.1 to 10.11.10.255 "are generated.

    Configuration is shown below. Please help how I can get rid of these logs. Thank you very much.

    Robert

    local pool EZVPN_POOL 10.11.10.1 - 10.11.10.254 255.255.255.0 IP mask
    !
    interface Vlan1
    nameif outside
    security-level 0
    IP address dhcp setroute
    !
    permit same-security-traffic intra-interface
    !
    Crypto ipsec transform-set ikev1 VPN_TRAN aes - esp esp-sha-hmac
    Crypto ipsec pmtu aging infinite - the security association
    Dynamic crypto map VPN_DYMAP 10 set transform-set VPN_TRAN ikev1
    card crypto VPN_MAP 10-isakmp dynamic ipsec VPN_DYMAP
    VPN_MAP interface card crypto outside
    !
    Crypto ikev1 allow outside
    IKEv1 crypto policy 10
    preshared authentication
    aes encryption
    md5 hash
    Group 2
    life 86400!
    internal PROXY_VPN_POLICY group policy
    PROXY_VPN_POLICY group policy attributes
    value of 8.8.8.8 DNS Server 4.2.2.2
    Ikev1 VPN-tunnel-Protocol
    allow password-storage
    Split-tunnel-policy tunnelall
    !
    username privilege of John password XXXXXX 0
    username John attributes
    VPN-group-policy PROXY_VPN_POLICY
    !
    type tunnel-group PROXY_VPN_GROUP remote access
    attributes global-tunnel-group PROXY_VPN_GROUP
    address EZVPN_POOL pool
    Group Policy - by default-PROXY_VPN_POLICY
    IPSec-attributes tunnel-group PROXY_VPN_GROUP
    IKEv1 pre-shared key XXXXXX
    !

    Hi robert.huang,

    The error "% ASA-4-402117: IPSEC: received a package not IPSec (Protocol = UDP) 10.11.10.1 to 10.11.10.255" says that on the remote side sends traffic from 10.11.10.1 to 10.11.10.255 which is not sent through the IPSec tunnel. You can confirm with them.

    In addition, you can adjust the level of severity of this log message and define what level of logs must be sent to your syslog server so that it does not understand this, but I wouldn't recommend it.

    Kind regards
    Dinesh Moudgil

    PS Please rate helpful messages.

  • Too many active services.

    I have a site with very high success rates that are protected by IPS. There have been complains some deleted request so I went through the IPS event viewer and I found a lot of this:

    evError: eventId = 1321353761353146007 = severity = error Cisco vendor

    Author:

    hostId: xxx

    appName: sensorApp

    appInstanceId: 17803

    time: xxx

    errorMessage: too many assets services (2048) in external/tcp. Rejected event for port [random_port_number] name = errUnclassified

    Does anyone know if this connected and when / if the amount of active services can be controlled?

    Additional information:

    Platform: WS-SVC-JOINT-2

    Build version: 7.0 (6) E4

    By-pass: auto

    Any help will be much appreciated.

    Concerning

    Mariusz

    To work around the problem, you can disable the feature of anomaly detection.

    Kind regards

    Sawan Gupta

  • New and very confused blackBerry smartphones

    well, I'm very new and very confused. I'm not savvy computer I should be too old, I guess.

    In any case, I recently bought a BB Storm, and then send it on a task in Alaska assignment where I can make cell phone calls, but not internet access on the phone.

    I want to download the latest software updates. As I don't have to pack the USB cord to connect the phone to my laptop, I suppose I could just move my card to my laptop and then media, but that has not worked. After messing around with it, now I can't access anything on my card press, photos, word files, nothing. I can move the files, photos, etc. back to map of support, but I can't access these files once the card in the phone?

    Any suggestions? Can I reformat the media card?

    1. do you cannot load an operating system of the press card.

    2. I suggest you a reformat of the card, since you have all the files on the PC that would lose?

  • Installation of 6 Lightroom on a second computer and says too many activations, how to solve?

    Try to install Lightroom 6 on a second computer, software says too many activations.

    Recently updated my main computer, which may explain apparently tried to get more than two activations.

    How can I solve this problem and have Lightroom 6 installed on my main computer and a laptop computer?

    All advice very much appreciated, thanks

    Contact Adobe technical support via chat and ask them to reset your activations.

    Chat support - the link below click the still need help? the option in the blue box below and choose the option to chat...

    Make sure that you are logged on the Adobe site, having cookies enabled, clearing your cookie cache.  If it fails to connect, try to use another browser.

    Serial number and activation support (non - CC) chat

    https://helpx.Adobe.com/contact.html?step=PHSP-PHXS_downloading-installing-setting-up_lice nsing-activation_stillNeedHelp

  • Very confused...

    My problem is the following.  I have a MAC laptop and desktop MAC.  Friday, I bought LightRoom CC on my laptop and it works fine.  All my photos are on an EXTERNAL hard drive.  I have no backup to the external hard drive, and it makes me nervous.  So I installed LightRoom CC on my desk, too.  But when I plug the HDD external desktop, everything doesn't appear on the desktop in Lightroom, as it does on the laptop.  No metatags or collections, only the photos... and there are too many photos.  I had a lot of duplicates, duplicates more than 13000... I deleted them on the laptop, but they do not display as deleted on the desktop...  So, how do the Office to synchronize and be like the laptop?  I want Office to save on the desktop and not on the external hard drive, so that I have a copy of any case where the diving hard drive crashes... I have a lot of desktop space.  Can you please help me get this working correctly?  I really appreciate your help!  Thank you in advance!

    betterthangreens wrote:

    It is confusing because I had 5 Lightroom on computers... and then Friday, I bought Lightroom 6 CC, and when I installed Lightroom 6 CC, he made ANOTHER catalogue... so I'm confused as to which is which...

    Normally the LR 5 catalog file is called Catalog 5 Lightroom and LR CC/6 catalog to Lightroom. No number between Lightroom and catalog.

    Most simple thing to do is to copy the CC/LR6 catalog in a folder of your choice (also copy the file Previews) and then rename it to Lightroom 6 (or CC) catalog. Then in LR, open preferences and in the region of default catalog on the tab general, click the small triangle pointed downward and select other and navigate to the newly renamed LR CC/6 catalog.

  • CS6 TOO MANY ATTEMPTS

    My CS6 was super slow to download, so I left and download again several times. Now, he refused my access to "too many attempts." What should I do? Thank you!!

    You can also download the demo version of the software through the page linked below and then use your current serial number to activate it.

    Don't forget to follow the steps described in the Note: very important Instructions in the section on the pages of this site download and have cookies turned on in your browser, otherwise the download will not work correctly.

    CS6: http://prodesigntools.com/adobe-cs6-direct-download-links.html

  • Too many activations CS3

    I am reinstalling after a corruption of SSD and can not activate because of too many activations. The software is only installed on one machine. Due to corruption, I couldn't turn it off. Cat Adobe refuse to discuss issues of CS3.

    How can I activate the software?

    Hi svsmailus,

    We are sorry to hear of this frustrating experience. I just checked your CS3 serial number and found that it is a volume license number. When you reinstalled you installed from the original DVD? You have access to our site Licensing? Adobe Licensing Web site. Serial numbers | Orders | Accounts

    Because the licenses products use no activation (which explains some of the answers from the chat agent and confusion), looks like you were installing a regular version of CS3, not the version of licenses.

    Let us know if we can help you further!

    Thank you

    Madison

  • Too many redirections in Safari on all iPhones.

    I did some updates to the small text in a site that I built in Muse. Now I can not open the site in an iPhone. I get the message saying Safari can't open the page because of too many redirects.

    I've deleted all the history, data and cookies on my phone. Restarted several times. It worked very well on my phone before I made the text changes. However, I have recently updated my Muse software at 2014.3. In fact the software update the day I made the changes on the site.  You wonder if it's something in the new version of Muse.

    The site load very well on Android phones, its just Apple iPhones that I get the message.

    My client really needs me to solve this problem and I am at a loss to know what to do next.

    Help, please.

    Thank you.

    Without the URL of the site, it is difficult to help.

    Most likely, there is a bug in custom code added through the object > insert HTML code or in the properties of the Pagesection, or even a third-party widget. To my knowledge, no one else has reported to meet it, then chances are there is something specific for your site code, or (less likely) the accommodation.

Maybe you are looking for

  • How to remove the number of items in the history, bookmarks...

    How to quickly remove the number of elements in the bookmarks, history...also how to cut, copy, paste items on web pages.. Is there a program like Snagit as eorks on samsung Tablet?

  • Hearts disappear when I plug iPod

    I created a new list of smart playlist to organize my favorite songs and copy them to my iPod Classic. Now, whenever I plug my iPod, disappear all the hearts I clicked and I re - click on each of them. I used to use the star system for this, but due

  • funny sounds

    I have a new HP Desktop Envy 700-215 X TD running Windows 7. When I first start the computer, I hear a noise of rotation for about 5 minutes and then the noise stops. I never had this problem on previous HP desktop computers. Is this normal or a manu

  • Satellite P300D - 12 c - need driver for short keys of light

    It guys I have a question? I have a laptop Toshiba Satellite P300D and I reinstalled Vista.I have all the drivers except for the hotkeys like (Windows Media Player before you stop the game)Can someone help me please? Thank you very much ALO

  • Call of duty 4-Modern Warefare CD not detected

    DVD rom problems I have call of Duty 4 Modern Warefare and my cd rom installed buit now it won't play solo since it does not even detect the cd in the status bar. I have win 7 9800 gt 4 GB ram CPU intel quad core 2.33