RODOD: Questions about technical architecture

Hi,
I'm looking for more information on Oracle RODOD (Rapid Offer Design and Order Delivery) technical architecture design and implementation.
My understanding is that RODOD includes at least the following products:
- Oracle Siebel as CRM
- Oracle Siebel Service
- Oracle Order and Service Management (OSM)
- Oracle Billing and Revenue Management (BRM)
- Oracle AIA for Communications
- Oracle Unified Inventory Management (UIM)
My questions:
1. What would be the best source of information when designing technical architecture for RODOD (consisting the above products)?
2. In technical architecture design, are these products considered as separate products that are integrated together, or does RODOD set some special requirements for the implementation?
2.1 Does RODOD require specific version of the above products? If yes, is this documented somewhere?
2.2 When deciding platform and OS for the above products, do I need to go through the individual certification matrices for each product, or is there a certification matrix on "RODOD level"?
3. Any other good advice for starters?
Thanks in advance.
BR,
TH

Hi BR,
RODOD does not include Oracle UIM. It includes Oracle Product Hub for Communications (PH4C).
Oracle University provides courses for OSM that cover a good amount of concepts of RODOD.
Rakesh

Similar Messages

  • Question about servlet architecture

    Hello,
    I have a question about Web Application / servlet architecture and development, and haven't had any luck finding an answer so far. My plan must be either unusual, or wrong, or both, so I'm hoping the community here could point me in the right direction.
    I have quite a bit of background in OSGi, but very little in servlets. I know my architecture would work with something such as sever-side Equinox, but for the open source project I'm contemplating, I think that the more mainstream Tomcat/servler route would be better -- assuming it can be done. Here is a rather simplified scenario:
    There is a class, Manager. It could be a Java class that implements Runnable, or a non-HTTP servlet (GenericServlet?), but somehow it should be configured such that it runs as soon as Tomcat starts.
    When Manager runs, it instantiates its primary member variable: Hashtable msgHash; mshHash will map Strings (usernames) to ArrayList<String> (list of messages awaiting that user). Manager also has two primary public methods: addMsg() and getMsgs().
    The pseudocode for addMsg is:
    void addMsg(String username, String msg) {
    if username=="*" { for each msgList in msgHash { msgList.add(msg) } return;
    if username not in msgHash { msgHash.add(username, new ArrayList<String>) }
    msgHash[username].add(msg)
    And for getMsgs():
    String getMsgs(username) {
    String s = "";
    for each msg in msgHash[username] { s = s + msg; }
    return s;
    Once Manager has started, it starts two HTTP Servlets: Sender and Receiver, passing a reference back to itself as it creates the servlets.
    The HTML associated with Sender contains two text inputs (username and message) and a button (send). When the send button is pressed and data is POSTed to Sender, Sender takes it and calls Manager.addMsg(username.value, message.value);
    Receiver servlet is display only. It looks in the request for HTTP GET parameter "username". When the request comes in, Receiver calls Manager.getMsgs(username) and dumps the resulting string to the browser.
    In addition to starting servlets Sender and Receiver, the Manager object is also spawning other threads. For example, it might spawn a SystemResourceMonitor thread. This thread periodically wakes up, reads the available disk space and average CPU load, calls Manager.addMsg("*", diskAndLoadMsg), and goes back to sleep for a while.
    I've ignored the synchronization issues in this example, but during its lifecycle Manager should be idle until it has a task to do, using for example wait() and notify(). If ever addMsg() is called where the message string is "shutdown", Manager's main loop wakes up, and Manager shuts down the two servlets and any threads that it started. Manager itself may then quit, or remain resident, awaiting a command to turn things back on.
    Is any of this appropriate for servlets/Tomcat? Is there a way to do it as I outlined, or with minor tweaks? Or is this kind of application just not suited to servlets, and I should go with server-side Equinox OSGi?
    Thanks very much for any guidance!
    -Mike

    FrolfFla wrote:
    Hello,
    I have a question about Web Application / servlet architecture and development, and haven't had any luck finding an answer so far. My plan must be either unusual, or wrong, or both, so I'm hoping the community here could point me in the right direction.
    I have quite a bit of background in OSGi, but very little in servlets. I know my architecture would work with something such as sever-side Equinox, but for the open source project I'm contemplating, I think that the more mainstream Tomcat/servler route would be better -- assuming it can be done. Here is a rather simplified scenario:
    There is a class, Manager. It could be a Java class that implements Runnable, or a non-HTTP servlet (GenericServlet?), but somehow it should be configured such that it runs as soon as Tomcat starts.You can configure a servlet to be invoked as soon as Tomcat starts. Check the tomcat documentation for more information on that (the web.xml contains such servlets already though). From this servlet you can start your Manager.
    >
    When Manager runs, it instantiates its primary member variable: Hashtable msgHash; mshHash will map Strings (usernames) to ArrayList<String> (list of messages awaiting that user). Manager also has two primary public methods: addMsg() and getMsgs().
    The pseudocode for addMsg is:
    void addMsg(String username, String msg) {
    if username=="*" { for each msgList in msgHash { msgList.add(msg) } return;
    if username not in msgHash { msgHash.add(username, new ArrayList<String>) }
    msgHash[username].add(msg)
    And for getMsgs():
    String getMsgs(username) {
    String s = "";
    for each msg in msgHash[username] { s = s + msg; }
    return s;
    Once Manager has started, it starts two HTTP Servlets: Sender and Receiver, passing a reference back to itself as it creates the servlets. Not needed. You can simply create your two servlets and have them invoked through web calls, Tomcat is the only one that can manage servlets in any case. Servlets have a very short lifecycle - they stay in memory from the first time they are invoked, but the only time that they actually do something is when they are called through the webserver, generally as the result of somebody running the servlet through a webbrowser, either by navigating to it or by posting data to it from another webpage. The servlet call ends as soon as the request is completed.
    >
    The HTML associated with Sender contains two text inputs (username and message) and a button (send). When the send button is pressed and data is POSTed to Sender, Sender takes it and calls Manager.addMsg(username.value, message.value);
    Receiver servlet is display only. It looks in the request for HTTP GET parameter "username". When the request comes in, Receiver calls Manager.getMsgs(username) and dumps the resulting string to the browser.This states already that you are going to run the servlets through a browser. You run "Sender" by navigating to it in the browser. You run "Receiver" when you post your data to it. Manager has nothing to do with that.
    >
    In addition to starting servlets Sender and Receiver, the Manager object is also spawning other threads. For example, it might spawn a SystemResourceMonitor thread. This thread periodically wakes up, reads the available disk space and average CPU load, calls Manager.addMsg("*", diskAndLoadMsg), and goes back to sleep for a while.Since you want to periodically run the SystemResourceMonitor, it is better to use a Timer for that in stead of your own thread.
    >
    I've ignored the synchronization issues in this example, but during its lifecycle Manager should be idle until it has a task to do, using for example wait() and notify(). If ever addMsg() is called where the message string is "shutdown", Manager's main loop wakes up, and Manager shuts down the two servlets and any threads that it started. Manager itself may then quit, or remain resident, awaiting a command to turn things back on.
    Is any of this appropriate for servlets/Tomcat? Is there a way to do it as I outlined, or with minor tweaks? Or is this kind of application just not suited to servlets, and I should go with server-side Equinox OSGi?
    Thanks very much for any guidance!
    -MikeI don't see anything that cannot be done in a normal java web environment, as long as you are aware of how servlets operate.

  • Lot of question about technical communication suite 5

    I have a Mac, Parallels with Windows 8 for simulation, Creative Cloud 6, Technical Communication Suite 5. I use the Mac except when an application is available only for windows.
    Is there a way to import in Frame PhotoShop and Illustrator documets with automatic link when those programs reside on the mac? (or do I need to install them on Windows)
    Creative Cloud allows 2 computers. Is it the same for Tech Comm?
    Can the programs in tech comm use the cloud?
    Captivate in tech comm can work on the mac. Is there a way to install it there?
    Tech Comm install a lot of programs on windows. Are they documented somewhere?
    Is there some good tips about docummentation?
    Is there a way to reinstall an application? Acrobat did not install corectly on windows (I have it as part of creative cloud on the mac)

    The TechComm Suite is Windows only and is blisfully unaware of the Creative Cloud. It does have connectors to Photoshop and Illustrator for the FrameMaker component. As per all other Adobe products, you can have two activations on a product.
    You need to run all of the TCS apps in a VM (Parallels, Bootcamp, etc.) if you want any interactions between them.
    Consult the Help for the available documentation (there are downloadable PDFs of the User Guides). However, to learn the applications it it recommended to refer to third-party resources.
    The TCS version of Captivate is Window only.
    For TCS purposes, install the Acrobat version from the TCS in the virtual enviroment.

  • Help needed. General question about J2EE architecture.

    Hello,
    On the one hand, I have a java class (actually a set of classes) that does a lot of low level input/output operations.
    On the other hand I have a web console in jsp/servlets.
    I want to be able to invoke a method on the "low-level" java app from the web console bearing in mind that the war will run on one computer on the network and the "low-level" app on another computer on the network.
    What is the best way to invoke a public method of the "low-level" app from the web console????
    Do I need to use RAR adapters?
    Any clue very welcome,
    Julien.

    There are a number of ways it COULD be done. What I would do would be to wrap the low level handler classes in web services that run in an application server on the other machine so that you could call them from the web application that you currently have.
    Among other things that maintains the isolation and integrity of your operations and prevents you from building a dependency between the two code bases.
    Hope this helps,
    PS

  • Question about architecture

    Hello
    I have a question.
    I have been working in a Content Management with Java at my job.
    The Java architect proposed the following architecture as solution.
    ----WEB LAYER----
    JSP
    Struts
    ----Business Layer----------
    Manager Classes
    Hibernate
    ----Data Layer----
    DB
    The web server is Tomcat V6 and MySQL is the database
    I have a dude about this architecture. In order to don't use persistence objects in the WEB layer(because it cause Permgen memory problems), the Manager Classes will have methods to transform persistence objects to DTO objects(these objects will be used in the web layer), with the use of getters and setters. I think that these changes wouldn't solve the memory problems.
    What is your opinion about this architecture? Do you have any idea to improve it?
    Thanks for all.
    Nickolas

    Using persistence objects in the web layer shouldn't in itself increase your memory usage, but I can imagine that it would make it a lot easier to write buggy code with memory leaks.
    Having done this sort of thing for years, my advice with this sort of architecture is:
    1) Don't use JSPs, which stink. Use Velocity instead, or some other lighter-weight way to format the user-visible content.
    2) Keep the web tier as thin and light as possible. Because a lot of frameworks (like Struts) provide some tools to manage data, there's a tendency to put lots of business logic there (and if there's an explicit business logic layer, often it isn't utilized). Don't. It becomes unmanageable.
    Try writing your app without a web tier at all. Imagine creating a command-line-only interface to your business logic. (Or, a JUnit interface or the like.) Then wrap the web tier around it. This actually makes for easier testing as well.
    3) Swapping data between data objects is the path to madness. Try object-oriented programming instead. Design your app with classes that have well-defined responsibilities. Keep data close to the operations that use it. Encapsulate as fervently as you can.
    As for the rest of your post -- I have no idea what you're trying to accomplish, or even demonstrate, with your example.

  • Questions about application server architecture

    Hello guys,
    I have few questions about application server architecture�
    I have a task to build a server application which will do the following: Clients (special java clients) will connect to it and send some data for further processing on server side. Chunks of data will be relatively small but they will take a lot of time for processing (it is ok that it will be quite slow).
    Also server will run some sort of �database� where all clients� working data will be stored. So, in case a client loses its data he/she is always able to download it from the server.
    For me it seems, like server will consist of the following components:
    1. �Reception�. This part will be responsible for all client-communication procedures.
    2. �Data storage�. This part will simply store all clients� data and provide some API interface for clients through �reception� to manage it (add/get/delete and so on).
    3. �Processor�. Some sort of dummy-sophisticated module. It will take some input data from �data storage� when it receives order for this and process it. �Processor� will have two states: �busy� which means �processor� processing some data and �available� which means �processor� ready to process new data.
    4. �Manager�. This part will always check �data storage� for new data and �processor� for availability. When �processor� and new data are available �manager� will make an order for �processor� to take new data from �data storage� and process it.
    So, my question is the following: Which technology and approaches I should use to realize my plan?
    I think that I can make �reception� as a Session Bean, but I don�t know yet, what are the best for the rest, for example �manager� and �processor�. I was thinking about writing my own application server (and I can do it), but I would like to learn j2ee technologies, so I think it is a perfect chance for me (I read a lot about j2ee before I wrote this post, but all examples have only �account�-�bill�-�money transfer� I think it is quite far away from reality or I am doing something wrong ;-)!
    p.s. I am thinking about using JBoss as an Application Server. I tested it and wrote some tests. They work and run fast enough, so I like it. Moreover it has module architecture.
    Please, give me some advises and tips!
    Thank you in advance!

    1. �Reception�. This part will be responsible for all
    client-communication procedures.Session bean with remote interface.
    2. �Data storage�. This part will simply store all
    clients� data and provide some API interface for
    clients through �reception� to manage it
    (add/get/delete and so on).Session bean that will use entity beans or hibernate to work with persistant data.
    3. �Processor�. Some sort of dummy-sophisticated
    module.Use a message driven bean. Make Reception to enqueue a message when new data is available for processing. Processor will process the data and store the resut in database using Data Storage session bean.
    4. �Manager�. This part will always check �data
    storage� for new data and �processor� for
    availability. When �processor� and new data are
    available �manager� will make an order for
    �processor� to take new data from �data storage� and
    process it.It's redundand component, because application server will manage messages and processors.

  • A technical question about time.

    I find myself wondering what would be the total playing time of my iTunes library. How can I determine this? I could copy the total file into Excel then add up the time column, but as I have 12,000 tracks I doubt Excel could handle it. Is there a simple way to do this?

    Select Library - Music and look at the botton center of the iTunes window.
    Click it to change the displayed info.
    A technical question about time.
    T=2π √L/G

  • Misc. questions about Oracles SOA software

    Hello,
    I am a computer science student at the Fachhochschule Aachen in Germany and i'm writing my master thesis about serviceoriented architectures.
    Amongst other products i plan to present what oracle has to offer for SOA. But i'm missing some information, which i couldn't find at the website. I hope somebody can help me with my questions:
    1) Is it correct that you only need the Application Server and the SOA Suite for a basic SOA setup? And the SOA Suite is included in the Enterprise Edition of the Application Server?
    2) The SOA Suite contains the BPEL Process Manager. I just want to know which version of BPEL this tool supports: BPEL4WS 1.0, 1.1, WS-BPEL (2.0)?
    3) In my thesis i describe several standards that help with serviceoriented architectures. I want to check if these standards are implemented and if they are, in which product, which version and how extensively? These standards are:
    - WS-Policy, WS-Adressing
    - JBI (Java Business Integration)
    - SCA/SDO (Service Component Architecture/Service Data Objects)
    - WS-CDL (Web Service Choreography Description Language)
    Are there other important (open) standards i didn't mention (other than the real basic stuff, WSDL, SOAP etc)?
    4) What tools does Oracle provide for testing the services and processes?
    5) What support does Oracle provide for new customers, that are building their first SOA?
    Every help would be appreciated. Thanks in advance.

    Learn About All Things SOA:: SOA India 2007:: IISc, Bangalore (Nov 21-23)
    Aligning IT systems to business needs and improving service levels within the constraints of tight budgets has for long been the topmost challenge for CIOs and IT decision makers. Service-oriented Architecture (SOA) provides a proven strategy to clearly address both of these objectives. Creating more agile information systems and making better use of existing infrastructure are two leading factors that are boosting SOA adoption across large, medium, and small Indian industries from the BFSI, Retail, Telecom, Manufacturing, Pharma, Energy, Government and Services verticals in India. If you are an IT decision maker belonging to any of these verticals, SOA India 2007 (IISc, Bangalore, Nov 21-23 2007) presents a unique opportunity to gather cutting-edge business and technical insights on SOA and other related areas such as BPM, BPEL, Enterprise 2.0, SaaS, MDM, Open Source, and more.
    At SOA India 2007, acclaimed SOA analysts, visionaries, and industry speakers from across the world will show you how to keep pace with change and elevate your IT infrastructure to meet competition and scale effectively. The organisers are giving away 100 FREE tickets worth INR 5000 each to the first 100 qualified delegates belonging to the CxO/IT Decision Maker/Senior IT Management profile, so hurry to grab this opportunity to learn about all things SOA. You can send your complete details, including your designation, e-mail ID, and postal address directly to Anirban Karmakar at [email protected] to enrol in this promotion that is open until 12 October 2007.
    SOA India 2007 will also feature two half-day workshops on SOA Governance (by Keith Harrison-Broninski) and SOA Architecture Deep Dive (by Jason Bloomberg). If you are an IT manager, software architect, project leader, network & infrastructure specialist, or a software developer, looking for the latest information, trends, best practices, products and solutions available for building and deploying successful SOA implementations, SOA India 2007’s technical track offers you immense opportunities.
    Speakers at SOA India include:
    •     Jason Bloomberg, Senior Analyst & Managing Partner, ZapThink LLC
    •     Keith Harrison-Broninski, Independent consultant, writer, researcher, HumanEdJ
    •     John Crupi, CTO, JackBe Corporation
    •     Sandy Kemsley, Independent BPM Analyst, column2.com
    •     Prasanna Krishna, SOA Lab Director, THBS
    •     Miko Matsumara, VP & Deputy CTO, SoftwareAG
    •     Atul Patel, Head MDM Business, SAP Asia Pacifc & Japan
    •     Anil Sharma, Staff Engineer, BEA Systems
    •     Coach Wei, Chairman & CTO, Nexaweb
    •     Chaitanya Sharma, Director EDM, Fair Isaac Corporation
    A partial list of the sessions at SOA India 2007 include:
    •     EAI to SOA: Radical Change or Logical Evolution?
    •     BPEL: Strengths, Limitations & Future!
    •     MDM: Jumpstart Your SOA Journey
    •     Governance, Quality, and Management: The Three Pillars of SOA Implementations
    •     Building the Business Case for SOA
    •     Avoiding SOA Pitfalls
    •     SOA Governance and Human Interaction Management
    •     Business Intelligence, BPM, and SOA Handshake
    •     Enterprise 2.0: Social Impact of Web 2.0 Inside Organizations
    •     Web 2.0 and SOA – Friends or Foe?
    •     Achieving Decision Yield across the SOA-based Enterprise
    •     Governance from day one
    •     Demystifying Enterprise Mashups
    •     Perfecting the Approach to Enterprise SOA
    •     How to Build Cost Effective SOA. “Made in India” Really Works!
    For more information, log on to http://www.soaindia2007.com/.

  • Need the technical architecture

    Hi,
    I am very new to posting a topic in this forum...
    please regret the inconvenience if I posted the topic in the wrong thread and also guide me for the right thread.
    I am trying to bring a CD of practice exams, for the course GRE that is to be launched.
    So I want a technical architecture for exam simulator of GRE practice Tests.
    I need to design the technical architecture for this one. Where do I need to start from?
    High level abstraction of the requirements:
    scope is : Building Exam simulator
    --> A standalone application where students need to place the CD and run the setup file of the exam simulator.
    --> The setup file installs the software for the exam simulator.
    UI --> There will be sections, like Section A, Section B etc., each section will have question, choice based.
    Need to have a timer, previous and next buttons.
    Data security is the main threat. If the setup is installed student should not know from where the data is being read or retrieved.
    The architecture should be scalable so that we can add a wrap up of intelligence, for displaying the questions according to parameters we consider (speed, difficulty level etc.,) for a question being answered by the student. Also how to add the authentication of the user to resume the exam saved and to show the reports saved.
    Guide me how to design it. Hope that I am at an entry level for designing the technical architecture.
    Please do the needful.

    First, separate out the functional requirements and express them in terms of the domain.
    A standalone application where students need to place the CD and run the setup file of the exam simulator.That assumes a lot about implementation already, rather than being a requirement. What are the actual requirements which mean it cannot run off the CD and requires a setup program?
    UI --> There will be sections, like Section A, Section B etc., each section will have question, choice based.Turn that into a domain model, then state the UI will display elements from the domain model in a suitable format.
    Need to have a timer, previous and next buttons.Turn that into a testable requirement - does the student have a time limit per question, per exam, or is the timer an extra feature if you want to boil eggs?
    Why do you need previous and next buttons? Do they have to be buttons? Is there a reason that navigation has to be linear?
    Data security is the main threat. OK. Needs elaboration - what data needs protecting, from whom, whether it's an authentication or auditing issue.
    If the setup is installed student should not know from where the data is being read or retrieved.Why? it's trivial to look at what files a program are opening using OS tools, so this implementation of data security is rather flawed. If you want security, you need to secure the data, not try and hide it and hope that the user is incompetent.
    The architecture should be scalable so that we can add a wrap up of intelligence, for displaying the questions according to parameters we consider (speed, difficulty level etc.,) for a question being answered by the student. 'Scalable' normally means that throughput grows linear with hardware duplication. The other requirements here seem to ask for reporting.
    Also how to add the authentication of the user to resume the exam saved and to show the reports saved.Break this down into saving, resuming and authentication requirements, then start to consider architectural solutions.

  • Some questions about the integration between BIEE and EBS

    Hi, dear,
    I'm a new bie of BIEE. In these days, have a look about BIEE architecture and the BIEE components. In the next project, there are some work about BIEE development based on EBS application. I have some questions about the integration :
    1) generally, is the BIEE database and application server decentralized with EBS database and application? Both BIEE 10g and 11g version can be integrated with EBS R12?
    2) In BIEE administrator tool, the first step is to create physical tables. if the source appliation is EBS, is it still needed to create the physical tables?
    3) if the physical tables creation is needed, how to complete the data transfer from the EBS source tables to BIEE physical tables? which ETL tool is prefer for most developers? warehouse builder or Oracle Data Integration?
    4) During data transfer phase, if there are many many large volume data needs to transfer, how to keep the completeness? for example, it needs to transfer 1 million rows from source database to BIEE physical tables, when 50%is completed, the users try to open the BIEE report, can they see the new 50% data on the reports? is there some transaction control in ETL phase?
    could anyone give some guide for me? I'm very appreciated if you can also give any other information.
    Thanks in advance.

    1) generally, is the BIEE database and application server decentralized with EBS database and application? Both BIEE 10g and 11g version can be integrated with EBS R12?You, shud consider OBI Application here which uses OBIEE as a reporting tool with different pre-built modules. Both 10g & 11g comes with different versions of BI apps which supports sources like Siebel CRM, EBS, Peoplesoft, JD Edwards etc..
    2) In BIEE administrator tool, the first step is to create physical tables. if the source appliation is EBS, is it still needed to create the physical tables?Its independent of any soure. This is OBIEE modeling to create RPD with all the layers. If you build it from scratch then you will require to create all the layers else if BI Apps is used then you will get pre-built RPD along with other pre-built components.
    3) if the physical tables creation is needed, how to complete the data transfer from the EBS source tables to BIEE physical tables? which ETL tool is prefer for most developers? warehouse builder or Oracle Data Integration?BI apps comes with pre-built ETL mapping to use with the tools majorly with Informatica. Only BI Apps 7.9.5.2 comes with ODI but oracle has plans to have only ODI for any further releases.
    4) During data transfer phase, if there are many many large volume data needs to transfer, how to keep the completeness? for example, it needs to transfer 1 million rows from source database to BIEE physical tables, when 50%is completed, the users try to open the BIEE report, can they see the new 50% data on the reports? is there some transaction control in ETL phase?User will still see old data because its good to turn on Cache and purge it after every load.
    Refer..http://www.oracle.com/us/solutions/ent-performance-bi/bi-applications-066544.html
    and many more docs on google
    Hope this helps

  • Question about internet security...please help!

    Hi everyone,
    I have a question about the macbook's internet security.
    A few days ago I became aware that my sibling was using a laptop for internet use at my house which he got from a person that I do not trust. He is very computer-savy and we're worried that he may have installed some form of spy ware on that laptop and in turn, may have tried (or succeeded) in accessing my Macbook through some form of spyware. My house is hooked up with a D-Link wireless router, and at the time, it had no internet/access-password.
    So my question is, could this person have accessed my computer and personal information remotely by and through the laptop that my sibling got from him. I was under the impression that Mac's have very strong firewalls, but I have also heard that as long as he knew what he was doing, he could have accessed my computer. I don't have a wireless "network" set up at my house, I just simply use the router for internet. But my sibling told me that this guy was his "network administrator" which leads me to believe that he must have had remote access to the laptop.
    Can anyone with knowledge on this problem please weigh in and let me know what I need to do to confirm that no one has accessed anything from my macbook.
    Thanks!

    One option if you want to be extra safe is turning on FileVault (System Preferences -> Security), which will encrypt everything on your computer so that if somehow someone does gain access to your computer they will have a next to zero chance of being able to read anything they get from your computer. You have to have a lot of extra hard drive space on your computer to turn it on though.
    Also, a "network" is just a connection between computers, regardless of the internet is involved or not. So when you connect your computer to the router which gives you the internet, you are putting your computer on a network. Now I believe that in order for this person whom you don't trust to gain remote access to your computer, they would have to have more information such as an IP address for your computer, through the router in order to get to it.
    One thing I think is very important to consider that isn't on the technical side of things is something called "Social Engineering" which is a form of cracking, or hacking. You can do your own research, but in a nutshell Social Engineering is getting people that have access to something I'm trying to hack to give me information. For instance, this person you don't trust could be giving your brother the computer in the hopes that he will download something through your router to that laptop which could give him IP addresses and other information. And then when he gets that laptop back he could scan it for useful information and your brother wouldn't know he did anything wrong at all. The best way to avoid this is purely education and communication. Even if your brother doesn't share the same suspicions about this person, surely he will understand the need to be careful and smart when it comes to sharing personal information in the digital world.

  • I want to question about the official service at the service center of Sony.

    I want to question about the official service at the service center of Sony.
    long since I like the models and items sony. from start playstation, cameras, camcorders up, I've ever had. and a new camera that I bought two years ie compact cameras Sony Cybershot DSC H200. as of a month ago, a camera was having problems in lenses that would not close. and setting the automatic mode to move by itself. I came to the Sony Service Center in Makassar, precisely on Jl. Shop Pengayomann A5 / 05 (0411) 442340.
    operator initially said only two weeks to work on my camera. but this week has been more dau even want to go in a month tomorrow, dated July 9, no news from the service center. and I kept the call to the office service. as well as assorted reasons. there are no spare parts or technical constraints, and the last one I call to his office, he said the factory spare part is damaged. imported directly from Singapore. I think, ko new spare part it can be damaged before using that? how the quality of this Sony spare part? ugly? not good? why?
    I was disappointed with this situation, where soon it will Eid, want to return home as well to Java. but the camera has not been settled workmanship?
    nah, roughly what is the solution of the Sony plagued with this problem? please help, because he did not know to whom to complain. operator had just said: it's up to the father alone.
    once again I asked for his help. solution. if you can before Eid arrived.
    Thank you,
    AD. Rusmianto

    Hi awwee107, 
    Welcome to the Sony Community! 
    We have forwarded your query to the relevant team for their further assistance and someone from local CC will contact you.
    Thanks!
     

  • Questions about Audigy 2 ZS connecti

    Hello,
    New to these forums, so bear with me. I'm considering purchasing an Audigy 2 ZS gamer card, and have some questions about the card and speaker setup. I've read the FAQ's in the forum, and they have been a big help, but I still have questions related specifically to my setup. Here's the system specs:
    AMD Athlon 64 3000+
    Asus K8V SE Deluxe
    VisionTek Radeon X800 XT PE
    Seagate 250 gig SATA HDD
    gig Crucial ram
    Antec P80 case
    Antec TruePower 430 ps
    Altec Lansing ADA885 digital speakers (awesome sound)
    Altec Lansing headset (cheap but works for voice and gaming)
    ADI AD980 onboard sound
    Windows XP Home
    . I currently am able to run both the speakers and headset at the same time by using the front panel audio outlets on the case (helps with the immersion in IL2 946). I would like to continue doing this(using front panel audio) with the new card. I've found several places that have an adapter cable for sale, http://www.x-tap.com/
    http://www.performance-pcs.com/catal...oducts_id=2700
    http://ask.americas.creative.com/SRVS/CGI-BIN/WEBCGI.EXE?New,Kb=ww_english_add,U={B8F6030-DA4F-D3-94F4-00500463020E},Company={CEAE26D-879-4C00-AC9F-03BC258F7B70},d=3025443648,VARSET=ws:http://us.creative.com,case=5764
    The plug that I have has only 3 separators, not 4. Will this work with the Audigy 2? I don't have a link for this plug, unfortunately.
    4. I had been considering purchasing? a set of USB headphones, but I've been told that when you plug them in, the sound is cut off for the speakers. If there was a workaround for this, I might consider getting them. Then I wouldn't have to use the front panel audio or the connections on the card.
    5. I've heard of an issue with this particular set of speakers and the Audigy 2 card, particularly that the speakers were originally designed for a Dell system, and the wiring was phased differently than in other systems. Is this something to be concerned with, and if so, is there a workaround?
    I like to research a particular product before I buy it, in order to make an informed decision and avoid problems if possible. Sometimes it works, sometimes it don't
    Thanks in advance for the help.
    Message Edited by mrj_455 on 03-05-2008 05:28 PMMessage Edited by mrj_455 on 03-05-2008 05:32 PM

    The inputs are easy to find and select:?
    Right-click the Mixer icon on the taskbar and select "Playback Devices".<
    There should open a new Window with the options of "Speakers" and "SPDIF"<
    With Speakers highlighted click the?"Properties" button on the lower?right corner<
    Go to the 4th tab (I believe it is "volume" in english, "Pegel" in german)<
    There you have your inputs!<
    Unmute Line-In and set its volume according to your desires.<
    Also remember that software designed for XP, that should control the Line-IN settings, (ie. Hauppauge WinTV or Dscaler) will be unable to do so in Vista, do to the architecture change. You can however enable "Compatibility Mode for Windows XP SP2" for these applications (right-click on their executable) and restore control of the inputs directly from the program. (You should however unmute it first as explained above). PS:? All Creative Software that came on the CD is incompatible to Vista. Only the included Audio Console should work as expected.Message Edited by alexs3d2 on 05-07-200707:3 PM

  • Question about Siebel.

    hi, how are you,
    sorry for posting this in this forum, but i didnt find any other way to know this, since i dont know where to find experts to answer this.
    I have worked 2 years and a half in Incident support and implementation using siebel tools (7.7, 8.0,8.1) I made workflows, Eai, EIM, applets, bcs, eScript and all the other configuration in tools (consultant job)
    I received a job offer last week and I took it, this job is in the Support line of business and is about Siebel Technical architecture, performance tuning, components, alerts, support integration with other services, troubleshooting and monitoring production environment but nothing about siebel tools.
    I don't know nothing about this, and they will train me.
    but I'm most worried about my career.
    I want become a project leader in a future, I don't know anything about this type of career in the Support LOV.
    is worth it?, there is offers in the market for this position or is a waste of time?, is more rentable over time than siebel tools configuration?.
    thanks for all!
    and if this post is wrong please delete it and sorry but i didnt know another forum with so many experts..

    Yes, you need to copy the compiled srf file to the objects/<language> folder of the Siebel Server.
    Check Doc ID 546999.1 on support.oracle.com to find further information about repositories and changes to the repository.
    Hope it helps,
    Wilson

  • Post your questions about #BlackBerry10 here!

    Hey everyone,
    What a week last week! I think I'm finally starting to settle down after all the excitement with our global launch events last week.
    If you're getting a BlackBerry 10 device soon, take a look at these tips on the BlackBerry Help Blog to help you set up your email, contacts, calendar and social networks: http://helpblog.blackberry.com/2013/01/blackberry-10-add-email-contacts/
    Have other questions about BlackBerry 10? Our community can answer pretty much anything, just post your question below!
    Remember, if you have a BlackBerry 10 device and need support, check out the BlackBerry 10 Support boards on the main page of the community.
    ^Bo
    Come follow your BlackBerry Technical Team on twitter! @BlackBerryHelp
    Be sure to click Likes for those who have helped you.Click Accept as Solution for posts that have solved your issue(s)!

    sanjithb wrote:
    Why is the bis being stopped and not unlimited in south africa. Especially on the Z10.
    the BIS is not stopped. BIS is still required for OS7 and previous.
    the Z10 does not need a specific BIS plan, which is generally considered a very good improvement.
    The search box on top-right of this page is your true friend, and the public Knowledge Base too:

Maybe you are looking for

  • No picture w/ mini dvi adapter

    ok. So, I have an Apple mini dvi to video adapter. I use it all the time on my tv's using both composite and s-video (s video on my HD flat screen, and composite on m cheaper tv.) Everything works great. no problems. Until I go to my girlfriend's hou

  • ITunes no longer opens when I plug in my iPhone - iPhoto does. Help!

    Don't know what happened - but when I plug in my iPhone to sync - iPhoto opens up - not iTunes.   I went to Help, and changed USB port, restarted computer and iPhone....  iPhoto still opens instead of iTunes.  Device only shows up on iPhoto window, n

  • Hiding a column in an ALV Grid

    Hi , I want to hide a column in an ALV grid and I am doing it as such.However it doesn't work. data : gw_fieldcat type lvc_s_fcat,           gt_fieldcat type lvc_t_fcat. perform build_grid1 changing gt_fieldcat. form build_grid1 changing p_gt_ss. gw_

  • Sync iPhone 5 with Outlook through iCloud

    Hi, When trying to sync, I get the message from iCloud: "Setup can't continue because Outlook isn't configured to heva a default profile. Check your Outlook settings and try again." I did choose a default setting (Outlook) and i stille get the messag

  • Extraction Error: ERROR occured in the data selection

    Hello everybody, I have made configurations for the BW connectivity. Finally I was able replicate data sources from R/3 to BW. But when I try to extract the data its giving me the error. In monitor details, in extraction node its showing like "Error