Client In-Take Form Cust Code: Fill & Download for Free

GET FORM

Download the form

How to Edit and draw up Client In-Take Form Cust Code Online

Read the following instructions to use CocoDoc to start editing and drawing up your Client In-Take Form Cust Code:

  • First of all, direct to the “Get Form” button and click on it.
  • Wait until Client In-Take Form Cust Code is loaded.
  • Customize your document by using the toolbar on the top.
  • Download your finished form and share it as you needed.
Get Form

Download the form

The Easiest Editing Tool for Modifying Client In-Take Form Cust Code on Your Way

Open Your Client In-Take Form Cust Code Without Hassle

Get Form

Download the form

How to Edit Your PDF Client In-Take Form Cust Code Online

Editing your form online is quite effortless. It is not necessary to install any software through your computer or phone to use this feature. CocoDoc offers an easy tool to edit your document directly through any web browser you use. The entire interface is well-organized.

Follow the step-by-step guide below to eidt your PDF files online:

  • Browse CocoDoc official website on your computer where you have your file.
  • Seek the ‘Edit PDF Online’ option and click on it.
  • Then you will open this free tool page. Just drag and drop the file, or attach the file through the ‘Choose File’ option.
  • Once the document is uploaded, you can edit it using the toolbar as you needed.
  • When the modification is completed, press the ‘Download’ button to save the file.

How to Edit Client In-Take Form Cust Code on Windows

Windows is the most conventional operating system. However, Windows does not contain any default application that can directly edit file. In this case, you can install CocoDoc's desktop software for Windows, which can help you to work on documents quickly.

All you have to do is follow the steps below:

  • Install CocoDoc software from your Windows Store.
  • Open the software and then attach your PDF document.
  • You can also attach the PDF file from URL.
  • After that, edit the document as you needed by using the different tools on the top.
  • Once done, you can now save the finished file to your computer. You can also check more details about how to edit on PDF.

How to Edit Client In-Take Form Cust Code on Mac

macOS comes with a default feature - Preview, to open PDF files. Although Mac users can view PDF files and even mark text on it, it does not support editing. Using CocoDoc, you can edit your document on Mac easily.

Follow the effortless instructions below to start editing:

  • To get started, install CocoDoc desktop app on your Mac computer.
  • Then, attach your PDF file through the app.
  • You can upload the file from any cloud storage, such as Dropbox, Google Drive, or OneDrive.
  • Edit, fill and sign your template by utilizing this tool developed by CocoDoc.
  • Lastly, download the file to save it on your device.

How to Edit PDF Client In-Take Form Cust Code through G Suite

G Suite is a conventional Google's suite of intelligent apps, which is designed to make your work more efficiently and increase collaboration with each other. Integrating CocoDoc's PDF file editor with G Suite can help to accomplish work handily.

Here are the steps to do it:

  • Open Google WorkPlace Marketplace on your laptop.
  • Look for CocoDoc PDF Editor and download the add-on.
  • Upload the file that you want to edit and find CocoDoc PDF Editor by choosing "Open with" in Drive.
  • Edit and sign your template using the toolbar.
  • Save the finished PDF file on your laptop.

PDF Editor FAQ

What are some important points on the REST web service?

REST→Representational State Transfer.Uniform Interface: Once developer become familiar with one of your api, he should be able to follow the same approach for rest of api’s.Client-server : Servers and client may also be replaced and developed independently.Stateless : No client context must be stored on the server, between request. Client is responsible for managing a state of an application.Cacheable : Well-managed caching partially or completely eliminates some client–server interactions, further improving scalability and performance.Layered System: Rest allow to use layered architecture, where we deploy API on server A, store data on server B, and authenticate on Server C.Code on demand(optional) : All above constraints helps you build a true RESTful API and you should follow them. Still, at times you may find yourself violating one or two constraints. Do not worry, you are still making a RESTful API – but not “truely RESTful”.Let’s talk in-terms of coding, taking backend as JAVA.JAX-RS is a framework that focuses on applying Java annotations to plain Java objects. It has annotations to bind specific URI patterns and HTTP operations to individual methods of your Java class. It has parameter injection annotations so that you can easily pull in information from the HTTP request. It has message body readers and writers that allow you to decouple data format marshalling and unmarshalling from your Java data objects. It has exception mappers that can map an application-thrown exception to an HTTP response code and message. Finally, it has some nice facilities for HTTP content negotiation.It is lightweight, stateless architecture protocal.It doesn’t follow any standards, mostly accessed by http/https and uses HTTP methods like GET/POST/PUT.It’s easy to implement & url based.probelm:Stateless, asynchronous, and session less.Difference between SOAP(JAX-WS) and REST(JAX-RS)?JAX-RS Api: Java Api for Restful Webservices. It is used for developing Restful Webservice, it uses annotations for developing and deploying a webservice.web.xml   <servlet>  <servlet-name>jersey-serlvet</servlet-name>  <servlet-class>  com.sun.jersey.spi.container.servlet.ServletContainer  </servlet-class>  <load-on-startup>1</load-on-startup>  </servlet>    <servlet-mapping>  <servlet-name>jersey-serlvet</servlet-name>  <url-pattern>/*</url-pattern>  </servlet-mapping>  jars/libraries: @’Path(“/one”) used for mapping a url.http://localhost:8080/root/one@’Path(“{id: .+}”)http://localhost:8080/root/one/two/three //it calls customers()@’Path(“{id: .+}/address”)http://localhost:8080/root/one/two/three/address //it calls address()@Path("/customers") public class CustomerResource {   @GET  @Path("{id : .+}")  public String getCustomer(@PathParam("id") String id) {  ...  }   @GET  @Path("{id : .+}/address")  public String getAddress(@PathParam("id") String id) {  ...  }  } @’ApplicationPath(“/all”) used for defining root url for all javax services.@'Consumes("application/json”) reads media type of json input@’Produces(“application/json”) produces output of json format.javax.ws.Response produces response method will return status code 201, it has static method call create(). return Response.created(URI.create("/customers/"  + customer.getId())).build(); javax.ws.StreamingOutput It’s an interface which allows to send custom results. @GET  @Path("{id}")  @Produces("application/xml")  public StreamingOutput getCustomer(@PathParam("id") int id) {  final Customer customer = customerDB.get(id);  if (customer == null) {  throw new WebApplicationException(Response.Status.NOT_FOUND);  }  return new StreamingOutput() {  public void write(OutputStream outputStream)  throws IOException, WebApplicationException {  outputCustomer(outputStream, customer);  }  };  }  @’PathParam(“empId”) String empId) used inside method, it matches with @Path(“{empId}”).http://localhost:8080/consumes/{id}, here id is declared in method signature@’QueryParam(“dept”) String dept) It has key value representation, it’s normal url style starts with ?, follows with &./employee/query?branch=hyderabad&dept=finance, used inside method@’DefaultValue(“accounts”) @’QueryParam(“dept”) String dept) set’s default value, if the value is not available.@’MatrixParam(“company”) String company) These are name value pairs embedded within a part of uri string. It allows ; in the url./inventory/switch;company=cisco;model=nexus-5596@’Context(UriInfo uri) //helps you access based on uri.List<String> empIdList = uri.getQueryParameters().get("id");@’FormParam(“fname”) String fname,’@FormParam(“lname”) String lname) Extract values from the posted form. When we submit a request using post, values are send via bodyinfo, that time, we can access those values using formParam.@HeaderParam extract value fromHTTP HTTP request header set by client@CookieParam extra value from HTTP cookie set by client@BeanParam is something comes with JAX 2.0 version, it defines a new style of defining a new class and injecting all the properties inside that, instead of defining lengthy string params.@Path("/customers") public class CustomerResource {   @POST  public void createCustomer(@BeanParam CustomerInput newCust) {  ...  } }   public class CustomerInput {   @FormParam("first")  String firstName;   @FormParam("list")  String lastName;   @HeaderParam("Content-Type")  String contentType;   public String getFirstName() {...}  .... } JAX-RS has default JAXB implementation.@Produce("application/xml") //return value will be converted internally Another usage of JAXB is, it’s comes with fully supportive exception handling mechanisum.javax.ws.rs.WebApplicationException@Path("/customers") public class CustomerResource {   @GET  @Path("{id}")  @Produces("application/xml")  public Customer getCustomer(@PathParam("id") int id) {   Customer cust = findCustomer(id);  if (cust == null) {  throw new WebApplicationException(Response.Status.NOT_FOUND);  }  return cust;  } } Successful Responses:Successful response code: code lies between 200 to 399.200→If response contain message body(i.e object) + with status message as OK204→if response doesn’t contain message body + No Content is returned .Error Responses:Error response code lies between 400 to 599400→when the request is not understood by server(BAD Request).401→can be used for unauthenticated user (UnAuthorised).403→authenticated user with insufficient permission, like validating roles(Forbidden)404→ when the typed url in the domain is wrong(Page Not Found).405→when requested HTTP method is not mapped(Method Not Found)406→when requested input is (text/html), and allowed is (application/json) (Not Accepted)500→server encountered condition, which prevent it from processing a request (Internal Server Error)501→ Not Implemented502→ Bad Gateway503→ Service Unavailable504→ Gateway Timeout505→ Http Version not supported

What are some good opensource ERP solutions?

Top open source ERP systems to considerApache OFBizApache OFBiz's suite of related business tools is built on a common architecture that enables organizations to customize the ERP to their needs. As a result, it's best suited for midsize or large enterprises that have the internal development resources to adapt and integrate it within their existing IT and business processes.OFBiz is a mature open source ERP system; its website says it's been a top-level Apache project for a decade. Modules are available for accounting, manufacturing, HR, inventory management, catalog management, CRM, and e-commerce. You can also try out its e-commerce web store and backend ERP applications on its demo page.Apache OFBiz's source code can be found in the project's repository. It is written in Java and licensed under an Apache 2.0 license.DolibarrDolibarr offers end-to-end management for small and midsize businesses—from keeping track of invoices, contracts, inventory, orders, and payments to managing documents and supporting electronic point-of-sale system. It's all wrapped in a fairly clean interface.If you're wondering what Dolibarr can't do, here's some documentation about that.In addition to an online demo, Dolibarr also has an add-ons store where you can buy software that extends its features. You can check out its source code on GitHub; it's licensed under GPLv3 or any later version.ERPNextERPNext is one of those classic open source projects; in fact, it was featured on Opensource.com | Opensource.com way back in 2014. It was designed to scratch a particular itch, in this case replacing a creaky and expensive proprietary ERP implementation.ERPNext was built for small and midsized businesses. It includes modules for accounting, managing inventory, sales, purchase, and project management. The applications that make up ERPNext are form-driven—you fill information in a set of fields and let the application do the rest. The whole suite is easy to use.If you're interested, you can request a demo before taking the plunge and downloading it or buying a subscription to the hosted service.MetasfreshMetasfresh's name reflects its commitment to keeping its code "fresh." It's released weekly updates since late 2015, when its founders forked the code from the ADempiere project. Like ADempiere, it's an open source ERP based on Java targeted at the small and midsize business market.While it's a younger project than most of the other software described here, it's attracted some early, positive attention, such as being named a finalist for the Initiative Mittelstand "best of open source" IT innovation award.Metasfresh is free when self-hosted or for one user via the cloud, or on a monthly subscription fee basis as a cloud-hosted solution for 1-100 users. Its source code is available under the GPLv2 license at GitHub and its cloud version is licensed under GPLv3.OdooOdoo is an integrated suite of applications that includes modules for project management, billing, accounting, inventory management, manufacturing, and purchasing. Those modules can communicate with each other to efficiently and seamlessly exchange information.A successful Odoo implementation lies in the hand of best Odoo Implementation partner, likewise, the customization success also lies within the hands best Odoo ERP customization company. Only an expert customization company can get you with the right degree of customizations that tailors your business needWhile ERP can be complex, Odoo makes it friendlier with a simple, almost spartan interface. The interface is reminiscent of Google Drive, with just the functions you need visible. You can give Odoo a try before you decide to sign up.Odoo is a web-based tool. Subscriptions to individual modules will set you back $20 (USD) a month for each one. You can also download it or grab the source code from GitHub. It's licensed under LGPLv3.TrytonTryton's based on a EPR system called TinyERP and has been around since 2008. Over its lifetime, Tryton has grown both in popularity and flexibility.Tryton is aimed at businesses of all sizes, and has a range of modules. Those include accounting, sales, invoicing, project management, shipping, analytics, and inventory management. Tryton's not all or not, though. The system is modular, so you can install only the modules your business needs. While the system is web based, there are desktop clients for Windows and MacOS.The online demo will give you an idea of what Tryton can do. When you're ready, you can install it using a Docker image, download the source code or get the code from the project's Mercurial repository. The source code, in case you're wondering, is licensed under GPLv3 or later.Axelor ERPBoasting over 20 components, Axelor ERP is a complete ERP system — one that covers purchasing and invoicing, sales and accounting, stock and cash management, and more. All of that comes wrapped in a clean and easy-to-use interface.And it's that interface that sets Axelor apart from many of its competitors. All of Alexor's components are grouped in the pane on the left side of its window. Everything you need to do is a couple of clicks away. If, say, you need to refund a customer click Invoicing and then click Cust. Refunds. Everything you need is at the beck and call of your mouse cursor.Install Axelor using a Docker image or grab the source code from GitHub, which is published under an AGPLv3 license. Before you install Axelor, consider taking it for a spin to get a feel for the system.xTuple PostBooksIf your manufacturing, distribution, or e-commerce business has outgrown its small business roots and is looking for an ERP to grow with you, you may want to check out xTuple PostBooks. It's a comprehensive solution built around its core ERP, accounting, and CRM features that adds inventory, distribution, purchasing, and vendor reporting capabilities.xTuple is available under the Common Public Attribution License (CPAL), and the project welcomes developers to fork it to create other business software for inventory-based manufacturers. Its web app core is written in JavaScript, and its source code can be found on GitHub. To see if it's right for you, register for a free demo on xTuple's website.Content source: Top 9 open source ERP systems to consider

What are common questions they ask in IBPS interviews?

The following are some questions asked during the course of one mock interview conducted by one training institute at Chennai1) Repo rate, Current Reporate.2) Bank rate, MSF (Repo rate are rates at which commercial bank takes loan from rbi against the securities kept with RBI and marginal standing facility was released in May 2011. The main purpose was to eliminate the volatality of the overnight money market. The rates are usually 1% higher than repo.)3) Base rate4) What are the Demand Deposits and Time deposits ?(Demand deposits and term deposits differ in terms of accessibility or liquidity, and in the amount of interest that can be earned on the deposited funds. Demand deposits and term deposits refer to two different types of deposit accounts available at a bank or similar financial institution, such as a credit union.)(Time Deposit - a deposit in a bank account that cannot be withdrawn before a set date or for which notice of withdrawal is required.)5) When a minor, aged 8 comes to bank with his grandmother, will you open an account inthe name of minor ?6) Hen’s hatching Period ?7) Name the agriculture development Bank, who will provide thte subsidy to farmers for agriculture development ?8) Different types of loans for Agriculture ?9) What are the two Schemes introduced by Narendra Modi related to Banking ? Expalin10) KYC norms ? (Know your customer (KYC) is the process of a business verifying theidentity of its clients. The term is also used to refer to the bank regulation which governs these activities.)11) Which document is mandatory for the customer to deposit around ` 1 crore ?12) Balance Sheet - Details13) Will you work in rural areas ?14) What is the purpose of Commercial Banks & Development Banks ? Name two each?15) What is the minimum and maximum period of Fixed Deposit ?16) Procedures to Deposit Money17) What is the NOSTRO account ?18) What is the meaning of Negotiable ?19) What are the Non-Negotiable instruments ?20) What is special crossing? (Often cheques are crossed with two parallel transverse lines and in between the two parallel lines the words “a/c payee "or “a/c payee only "are written. - This means that the proceeds of the cheque are to be credited to the account of the payee only. - This type of crossing is also called “restrictive crossing”)21) What you willdo when the cheque is crossed by two banks ?22) Can NABARD give loans to Farmers ?23) What is the expansion of UAV ?24) What are the deposits available in Bank ?25) What is PMJDY Scheme ?Pradhan Mantri Jan Dhan Yojana (PMJDY) is a nationwide scheme launched by Indian government in August 2014. In this scheme financial inclusion of every individual who does not have a bank account is to be achieved.The scheme will ensure financial access to everyone who was not able to get benefits of many other finance related government schemes. These financial services include Banking/ Savings & Deposit Accounts, Remittance, Credit, Insurance, Pension which will be made available to all the citizens in easy and affordable mode.26) What are the insurance in PMJDY scheme ? (Life Cover under Pradhan Mantri Jan Dhan Yojana)27) What is Your Strength & Weakness ?28) What is the facility (Irrigation) introduced by M.S.Swaminathan29) About Hobbies30) What is Bank Assurance ?31) Name some Health Insurance Companies ?32) What are the functions of an Bank ?33) Can order cheque be converted into bearer cheque ?34) Name the General Insurance Companies ?35) Validity of a cheque ?36) Meaning of Your Name ?37) About Native Place & Its specials38) Is Interview Necessary ?39) D/B Simple Interest & Compound Interest40) Parties of Cheque?41) Present RBI Governor ?42) First RBI Governor?43) First Indian RBI Governor ?44) R/B Banker & Customer, mentioned in which ACT ?45) Security features in ATM room ?46) If a customer (VIP) deposits a Counterfeit notes, what will you do ?Counterfeit money is imitation currency produced without the legal sanction of the state or government. Producing or using counterfeit money is a form of fraud or forgery. Counter feiting is almost as old as money itself47) Who received Bharat Ratna Award recently ?48) What is the name of signature behind the cheque?49) Value of IT rabate.50) CAMELS abbreviations ?(Capital, Asset Quality, Management, Earnings, Liquidity, and Sensitivity (creditworthiness assessment system)51) IFSC code used for ?52) Banking Ombudsman ?(The Banking Ombudsman Scheme enables an expeditious and inexpensive forum to bank customers for resolution of complaints relating to certain services rendered by banks. The Banking Ombudsman Scheme is introduced under Section 35 A of the Banking Regulation Act, 1949 by RBI with effect from 1995.)53) Who is the Present President of India ?54) Whos is the Present Finance Minister ?55) Tamilnadu CM Jayalalitha case heared in ? (Bangalore, Karnataka)56) Whom confirm Jayalalith case verdict ?57) Whom release Jayalalitha verdict case ?58) Which loans are provided to a person to manufacture the product ? e.g., Water bottle59) Letter of Credit means ? (a letter issued by a bank to another bank (especially one in a different country) to serve as a guarantee for payments made to a specified person under specified conditions.)60) Bank Guarantees means? (A guarantee from a lending institution ensuring that the liabilities of a debtor will be met. In other words, if the debtor fails to settle a debt, the bank will cover it.)61) Situation Question : When you are working as a PO in Public sector bank, And near of your branch, So many Private and Public sector banks are there. And How will you attract the people towards your bank?62) Non performing assets ? (A Non-performing asset (NPA) is defined as a credit facility in respect of which the interest and/or installment of principal has remained 'past due' for a specified period of time. In simple terms, an asset is tagged as non performing when it ceases to generate income for the lender.)63) Chennai Flood Related Questons64) Who are all scored Double century in ODI cricket?65) What is Recent record in Cricket ?66) Difference between FCNR & RFC ?67) What is your part during Chennai floods ?68) What is the meaning of your name ?69) Situation Question : What will you do if your husband gets foreign opportunity, You will quit the job. So, why should we select you?70) Chairman of SBI71) Situation Question : Suppose if you are an Assistant Manager, only you and clerk are in the bank. A person comes and deposits a huge amount, then two robbers comes and threatens you with knife to give them money. What will you do?72) Para Banking ? (Banks can undertake certain eligible financial services or para-banking activities either departmentally or by setting up subsidiaries. Banks may form a subsidiary company for undertaking the types of businesses which a banking company is otherwise permitted to undertake, with prior approval of Reserve Bank of India.)73) Retail Banking ? (Retail banking also known as Consumer Banking is the provision of services by a bank to individual consumers, rather than to companies, corporations or other banks. Services offered include savings and transactional accounts, mortgages, personal loans, debit cards, and credit cards)74) What are the documents you should have when you drive a 2-wheeler?75) RC book is issued by which authority ?76) Services of ATM77) Which bank cancelled withdrawal receipt issue recently ?78) Who is Chennai Mayor ?79) Three principles of Insurance ?80) What you have to check, if you buy a land ?81) Life & Non-Life Insurance ?82) Hobbies : What are the novels have read ?83) Questions related to Cooking ?84) Positive & Negative points about urself ?85) Who issued EC certificate which is related to housing ?86) Off-sheet Balance items87) I opend an account in a bank & name my wife as a nominee, should we tell that she is the nominee person for the account opened by her spouse?88) What is the Sundry debtors ?89) Where is your spouse working ?90) Did you help him in his work ?91) Auto loans proof ?92) What is Pay slip ?93) What is withdrawal slip ?94) If you want to transfer your account from UP to Tamil Nadu, what are the documents yourequire?95) What is DRA ? (The Developmental Reading Assessment (DRA) is a standardized reading test used to determine a student's instructional level in reading. The DRA is administered individually to students by teachers and/or reading specialists.96) Chief of three Defence Forces?97) Recently our Prime Minister, visited unexpectedly to which country ? Was the motive good or not ?98) Priority sector advances (Priority sector refers to those sectors of the economy which may not get timely and adequate credit in the absence of this special dispensation. Typically, these are small value loans to farmers for agriculture and allied activities, micro and smallenterprises, poor people for housing, students for education and other low income groups and weaker sections.)99) No of states, recently included states ?100) Chief Minister of Telangana ?101) Types of debentures102) How many payment banks are there ?103) Who is M.S.Subulakshmi104) What is correspondent bank ?105) What is soft bank ?106) Tell about your family107) How to identify counterfeit notes ?108) What is depreciation in Balance Sheet ?109) Women Chief Ministers of India110) What are the subsidy for Housing for all schemes ? Why only women are eligible?111) Tell me five famous womens of India112) Situation Question : When a person from Rural Area has got a loan and he is not giving back and you are given the responsibility to collect it from him. What you’ll do?113) What is hard copy ?114) How you’ll arrange mirror imaged icons in PC screen ?115) Balance Sheet Items - Assets & Liabilities116) Working Capital ratio117) Current ratio118) Max loan granted by payment banks - No loanHow do payment banks earn ? - Through RemittancesWhat are remittancesNo of Payment Banks119) Does required to be verified from the cust who wants to avail Housing loan ?120) About Tatkal Banking121) Explain in Tamil, any 2 functions of a bank122) NSE & BSE - No of listed companies - Name some PSU’s listed ?123) Name few PSB’s esablished in foreign countries.124) What are the Documents required for a Proprietor firm, Partnership firm of public ltd company ?125) What is Revenue Reseve & Capital Reserve126) About DICGC : (Deposit Insurance and Credit Guarantee Corporation ( DICGC) is a subsidiary of Reserve Bank of India. It was established on 15 July 1978 under Deposit Insurance and Credit Guarantee Corporation Act, 1961 for the purpose of providinginsurance of deposits and guaranteeing of credit facilities. DICGC insures all bank deposits, such as saving, fixed, current, recurring deposits for up to the limit of Rs. 100,000 of each deposits in a bank)127) About ECGC (The ECGC Limited is a company wholly owned by the Government of India based in Mumbai, Maharashtra. It provides export credit insurance support to Indianexporters and is controlled by the Ministry of Commerce.)128) What is SDR ? (The Special Drawing Right (SDR) is an international reserve asset, created by the IMF in 1969 to supplement the existing official reserves of member countries. The SDR is neither a currency, nor a claim on the IMF. Rather, it is a potential claim on the freely usable currencies of IMF members.)129) What is MSF ? (Marginal Standing Facility (MSF) is a new scheme announced by the Reserve Bank of India (RBI) in its Monetary Policy (2011-12) and refers to the penal rate at which banks can borrow money from the central bank over and above what is available to them through the LAF window)130) About Hobbies (Mentioned No Hobbies in BIO-DATA, suggested to mention at least one hobby)131) CGTMSE(The main objective is that the lender should give importance to project viability and secure the credit facility purely on the primary security of the assets financed. The other objective is that the lender availing guarantee facility should endeavor to give composite credit to the borrowers so that the borrowers obtain both term loan and working capital facilities from a single agency. The Credit Guarantee scheme (CGS) seeks to reassure the lender that, in the event of a MSE unit, which availed collateral free credit facilities, fails to discharge its liabilities to the lender, the Guarantee Trust would make good the loss incurred by the lender up to 75 / 80/ 85 per cent of the credit facility.)132) Horizontal merger (Horizontal merger is a business consolidation that occurs between firms who operate in the same space, often as competitors offering the same good or service)133) Communication System (from my PG subject)134) Banking Hierarchy135) About Natural Guardian(A child's parent. In divorce situations, the parent with custody is considered the natural guardian. The opposite of a natural guardian is an appointed guardian or legal guardian, who must be authorized by a court or a will to care for and make decisions on behalf of a minor child. Of particular concern are financial and medical decisions; since minor childrengenerally do not have legal authority to make such decisions, their natural or legal guardian must authorize them.)136) Technical questions related to My Subject- Types of Circuits- Open circuit & closed circuit- About three phaces (RYB)- About Earthing137) Situation Question :If you are a Assistant Manager in a Bank, your superior person told you to grant loan for a person who he knows, But the documents submitted by the person is not valid, what you will do at that time ?138) Sheep loan139) Tax Deducted at source for Deposits140) Tripatriate Free Trade Agreement141) Management142) Active Voice / Passive Voice143) Current Ratio - Current Assets / Current Liabilities144) Tangible / Intangible assets(Tangible assets include both fixed assets, such as machinery, buildings and land, and current assets, such as inventory. The opposite of a tangible asset is an intangible asset. Nonphysical assets, such as patents, trademarks, copyrights, goodwill and brand recognition, are all examples of intangible assets.)145) Current / Non Current Assets(A noncurrent asset is an asset that is not likely to turn to unrestricted cash within one year of the balance sheet date. (This assumes that the company has an operating cycle of less than one year.) A noncurrent asset is also referred to as a long-term asset.)146) SBI Registred Office147) SBI Established Date148) Head Quarters of few Banks149) Difference between normal cheque and CTS150) Relationship between Depositor and Banker151) Relationship between person who is having safe deposit locker and banker.152) Emblem in currency note of Rs.500153) Emblem in currency note of Rs.10154) Break even point (In economics and business, specifically cost accounting, the break-even point (BEP) is the point at which cost or expenses and revenue are equal: there is no net loss or gain, and one has "broken even.")155) Dandi Yatra (On 12 March 1930, Gandhi and 78 satyagrahis many of them were scheduled castes, set out on foot for the coastal village of Dandi, Gujarat, over 390 kilometres (240 mi) from their starting point at Sabarmati Ashram.)156) BSBDA(Basic Savings Bank Deposit Account (BSBDA) is a Zero Balance Savings Account that takes care of your simple banking needs with Free ATM card, monthly statement, and cheque book.)157) Minimum Balance for BSBDA158) Regarding Plastic Money(Plastic money is a term that is used predominantly in reference to the hard plastic cards we use everyday in place of actual bank notes. They can come in many different forms such as cash cards, credit cards, debit cards, pre-paid cash cards and store cards.)159) Blind person conditions while Opening a Account160) Dormant Account(DEFINITION of 'Dormant Account' When there has been no financial activity for a long period of time, other than posting of interest, an account can be classified as dormant. Statute of limitations usually does not apply to dormant accounts, and funds can be claimed by the owner or beneficiary at any time.)161) ALM (Application lifecycle management (ALM) is the supervision of a software application from its initial planning through retirement. It also refers to how changes to an application are documented and tracked.)162) NPA(A Non-performing asset (NPA) is defined as a credit facility in respect of which the interest and/or installment of Bond finance principal has remained 'past due' for a specified period of time. NPA is used by financial institutions that refer to loans that are in jeopardy of default.)163) Risk faced by Banks - Market, Operational, Credit Risk ?164) Syndicate Bank Head Quarters165) Delhi - Banks Headquarters166) FCNR (It means 'Foreign Currency Non-Resident (Bank)' Account. Who can open a FCNR (B) a/c ? - The account can be opened in the name of NRI individuals (single/ joint) or with resident Indians on 'former or survivor' basis.)167) 1969 - Any four Nationalised Banks168) Financial intermediaries(an institution, such as a bank, building society, or unit-trust company, that holds funds from lenders in order to make loans to borrowers.)169) What are the Function of RBI?170) What are the Roles of a PO ?171) CRR (Cash Reserve Ratio)172) MSF (Marginal Standing Facility)173) SLR (Statutory Liquidity Ratio) - Indepth174) DICGC full Form ? (The Deposit Insurance and Credit Guarantee Corporation Act, 1961)175) MUDRAK Schemes (Micro Unit Development / Credit Guarantee Corporation176) Situation Question : A person comes in to my bank with Rs.51000/-, What is the procedure to deposit in an Account.Bank Exams PO, Coaching Centre Chennai, ibps, RRB, SSC, Bank Clerical Exams,

View Our Customer Reviews

Great program. Does far more than I realized. Great value.

Justin Miller