repo_name
stringlengths
4
116
path
stringlengths
3
942
size
stringlengths
1
7
content
stringlengths
3
1.05M
license
stringclasses
15 values
mnovak1/activemq-artemis
tests/integration-tests/src/test/java/org/apache/activemq/artemis/tests/integration/jms/client/ReceiveNoWaitTest.java
2747
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.activemq.artemis.tests.integration.jms.client; import javax.jms.Connection; import javax.jms.DeliveryMode; import javax.jms.MessageConsumer; import javax.jms.MessageProducer; import javax.jms.Queue; import javax.jms.Session; import javax.jms.TextMessage; import org.apache.activemq.artemis.tests.util.JMSTestBase; import org.junit.Before; import org.junit.Test; /** * A ReceiveNoWaitTest */ public class ReceiveNoWaitTest extends JMSTestBase { private Queue queue; @Override @Before public void setUp() throws Exception { super.setUp(); queue = createQueue("TestQueue"); } /* * Test that after sending persistent messages to a queue (these will be sent blocking) * that all messages are available for consumption by receiveNoWait() * https://jira.jboss.org/jira/browse/HORNETQ-284 */ @Test public void testReceiveNoWait() throws Exception { assertNotNull(queue); for (int i = 0; i < 1000; i++) { Connection connection = cf.createConnection(); Session session = connection.createSession(false, Session.CLIENT_ACKNOWLEDGE); MessageProducer producer = session.createProducer(queue); producer.setDeliveryMode(DeliveryMode.PERSISTENT); for (int j = 0; j < 100; j++) { String text = "Message" + j; TextMessage message = session.createTextMessage(); message.setText(text); producer.send(message); } connection.start(); MessageConsumer consumer = session.createConsumer(queue); for (int j = 0; j < 100; j++) { TextMessage m = (TextMessage) consumer.receiveNoWait(); if (m == null) { throw new IllegalStateException("msg null"); } assertEquals("Message" + j, m.getText()); m.acknowledge(); } connection.close(); } } }
apache-2.0
asedunov/intellij-community
platform/external-system-impl/src/com/intellij/openapi/externalSystem/service/task/ToolWindowModuleService.java
4952
/* * Copyright 2000-2013 JetBrains s.r.o. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.intellij.openapi.externalSystem.service.task; import com.intellij.openapi.externalSystem.ExternalSystemManager; import com.intellij.openapi.externalSystem.model.DataNode; import com.intellij.openapi.externalSystem.model.Key; import com.intellij.openapi.externalSystem.model.ProjectKeys; import com.intellij.openapi.externalSystem.model.ProjectSystemId; import com.intellij.openapi.externalSystem.model.project.ModuleData; import com.intellij.openapi.externalSystem.model.project.ProjectData; import com.intellij.openapi.externalSystem.model.project.ExternalProjectPojo; import com.intellij.openapi.externalSystem.settings.AbstractExternalSystemLocalSettings; import com.intellij.openapi.externalSystem.util.ExternalSystemApiUtil; import com.intellij.openapi.externalSystem.util.ExternalSystemConstants; import com.intellij.openapi.externalSystem.util.Order; import com.intellij.openapi.project.Project; import com.intellij.util.Function; import com.intellij.util.containers.ContainerUtilRt; import com.intellij.util.containers.MultiMap; import org.jetbrains.annotations.NotNull; import java.util.*; /** * Ensures that all external system sub-projects are correctly represented at the external system tool window. * * @author Denis Zhdanov * @since 5/15/13 1:02 PM */ @Order(ExternalSystemConstants.BUILTIN_TOOL_WINDOW_SERVICE_ORDER) public class ToolWindowModuleService extends AbstractToolWindowService<ModuleData> { @NotNull public static final Function<DataNode<ModuleData>, ExternalProjectPojo> MAPPER = node -> ExternalProjectPojo.from(node.getData()); @NotNull @Override public Key<ModuleData> getTargetDataKey() { return ProjectKeys.MODULE; } @Override protected void processData(@NotNull final Collection<DataNode<ModuleData>> nodes, @NotNull Project project) { if (nodes.isEmpty()) { return; } ProjectSystemId externalSystemId = nodes.iterator().next().getData().getOwner(); ExternalSystemManager<?, ?, ?, ?, ?> manager = ExternalSystemApiUtil.getManager(externalSystemId); assert manager != null; final MultiMap<DataNode<ProjectData>, DataNode<ModuleData>> grouped = ExternalSystemApiUtil.groupBy(nodes, ProjectKeys.PROJECT); Map<ExternalProjectPojo, Collection<ExternalProjectPojo>> data = ContainerUtilRt.newHashMap(); for (Map.Entry<DataNode<ProjectData>, Collection<DataNode<ModuleData>>> entry : grouped.entrySet()) { data.put(ExternalProjectPojo.from(entry.getKey().getData()), ContainerUtilRt.map2List(entry.getValue(), MAPPER)); } AbstractExternalSystemLocalSettings settings = manager.getLocalSettingsProvider().fun(project); Set<String> pathsToForget = detectRenamedProjects(data, settings.getAvailableProjects()); if (!pathsToForget.isEmpty()) { settings.forgetExternalProjects(pathsToForget); } Map<ExternalProjectPojo,Collection<ExternalProjectPojo>> projects = ContainerUtilRt.newHashMap(settings.getAvailableProjects()); projects.putAll(data); settings.setAvailableProjects(projects); } @NotNull private static Set<String> detectRenamedProjects(@NotNull Map<ExternalProjectPojo, Collection<ExternalProjectPojo>> currentInfo, @NotNull Map<ExternalProjectPojo, Collection<ExternalProjectPojo>> oldInfo) { Map<String/* external config path */, String/* project name */> map = ContainerUtilRt.newHashMap(); for (Map.Entry<ExternalProjectPojo, Collection<ExternalProjectPojo>> entry : currentInfo.entrySet()) { map.put(entry.getKey().getPath(), entry.getKey().getName()); for (ExternalProjectPojo pojo : entry.getValue()) { map.put(pojo.getPath(), pojo.getName()); } } Set<String> result = ContainerUtilRt.newHashSet(); for (Map.Entry<ExternalProjectPojo, Collection<ExternalProjectPojo>> entry : oldInfo.entrySet()) { String newName = map.get(entry.getKey().getPath()); if (newName != null && !newName.equals(entry.getKey().getName())) { result.add(entry.getKey().getPath()); } for (ExternalProjectPojo pojo : entry.getValue()) { newName = map.get(pojo.getPath()); if (newName != null && !newName.equals(pojo.getName())) { result.add(pojo.getPath()); } } } return result; } }
apache-2.0
bOOm-X/spark
sql/catalyst/src/test/scala/org/apache/spark/sql/catalyst/optimizer/PruneFiltersSuite.scala
6570
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.spark.sql.catalyst.optimizer import org.apache.spark.sql.catalyst.analysis.EliminateSubqueryAliases import org.apache.spark.sql.catalyst.dsl.expressions._ import org.apache.spark.sql.catalyst.dsl.plans._ import org.apache.spark.sql.catalyst.expressions._ import org.apache.spark.sql.catalyst.plans._ import org.apache.spark.sql.catalyst.plans.logical._ import org.apache.spark.sql.catalyst.rules._ import org.apache.spark.sql.internal.SQLConf.CONSTRAINT_PROPAGATION_ENABLED class PruneFiltersSuite extends PlanTest { object Optimize extends RuleExecutor[LogicalPlan] { val batches = Batch("Subqueries", Once, EliminateSubqueryAliases) :: Batch("Filter Pushdown and Pruning", Once, CombineFilters, PruneFilters(conf), PushDownPredicate, PushPredicateThroughJoin) :: Nil } object OptimizeWithConstraintPropagationDisabled extends RuleExecutor[LogicalPlan] { val batches = Batch("Subqueries", Once, EliminateSubqueryAliases) :: Batch("Filter Pushdown and Pruning", Once, CombineFilters, PruneFilters(conf.copy(CONSTRAINT_PROPAGATION_ENABLED -> false)), PushDownPredicate, PushPredicateThroughJoin) :: Nil } val testRelation = LocalRelation('a.int, 'b.int, 'c.int) test("Constraints of isNull + LeftOuter") { val x = testRelation.subquery('x) val y = testRelation.subquery('y) val query = x.where("x.b".attr.isNull).join(y, LeftOuter) val queryWithUselessFilter = query.where("x.b".attr.isNull) val optimized = Optimize.execute(queryWithUselessFilter.analyze) val correctAnswer = query.analyze comparePlans(optimized, correctAnswer) } test("Constraints of unionall") { val tr1 = LocalRelation('a.int, 'b.int, 'c.int) val tr2 = LocalRelation('d.int, 'e.int, 'f.int) val tr3 = LocalRelation('g.int, 'h.int, 'i.int) val query = tr1.where('a.attr > 10) .union(tr2.where('d.attr > 10) .union(tr3.where('g.attr > 10))) val queryWithUselessFilter = query.where('a.attr > 10) val optimized = Optimize.execute(queryWithUselessFilter.analyze) val correctAnswer = query.analyze comparePlans(optimized, correctAnswer) } test("Pruning multiple constraints in the same run") { val tr1 = LocalRelation('a.int, 'b.int, 'c.int).subquery('tr1) val tr2 = LocalRelation('a.int, 'd.int, 'e.int).subquery('tr2) val query = tr1 .where("tr1.a".attr > 10 || "tr1.c".attr < 10) .join(tr2.where('d.attr < 100), Inner, Some("tr1.a".attr === "tr2.a".attr)) // different order of "tr2.a" and "tr1.a" val queryWithUselessFilter = query.where( ("tr1.a".attr > 10 || "tr1.c".attr < 10) && 'd.attr < 100 && "tr2.a".attr === "tr1.a".attr) val optimized = Optimize.execute(queryWithUselessFilter.analyze) val correctAnswer = query.analyze comparePlans(optimized, correctAnswer) } test("Partial pruning") { val tr1 = LocalRelation('a.int, 'b.int, 'c.int).subquery('tr1) val tr2 = LocalRelation('a.int, 'd.int, 'e.int).subquery('tr2) // One of the filter condition does not exist in the constraints of its child // Thus, the filter is not removed val query = tr1 .where("tr1.a".attr > 10) .join(tr2.where('d.attr < 100), Inner, Some("tr1.a".attr === "tr2.d".attr)) val queryWithExtraFilters = query.where("tr1.a".attr > 10 && 'd.attr < 100 && "tr1.a".attr === "tr2.a".attr) val optimized = Optimize.execute(queryWithExtraFilters.analyze) val correctAnswer = tr1 .where("tr1.a".attr > 10) .join(tr2.where('d.attr < 100), Inner, Some("tr1.a".attr === "tr2.a".attr && "tr1.a".attr === "tr2.d".attr)).analyze comparePlans(optimized, correctAnswer) } test("No predicate is pruned") { val x = testRelation.subquery('x) val y = testRelation.subquery('y) val query = x.where("x.b".attr.isNull).join(y, LeftOuter) val queryWithExtraFilters = query.where("x.b".attr.isNotNull) val optimized = Optimize.execute(queryWithExtraFilters.analyze) val correctAnswer = testRelation.where("b".attr.isNull).where("b".attr.isNotNull) .join(testRelation, LeftOuter).analyze comparePlans(optimized, correctAnswer) } test("Nondeterministic predicate is not pruned") { val originalQuery = testRelation.where(Rand(10) > 5).select('a).where(Rand(10) > 5).analyze val optimized = Optimize.execute(originalQuery) val correctAnswer = testRelation.where(Rand(10) > 5).where(Rand(10) > 5).select('a).analyze comparePlans(optimized, correctAnswer) } test("No pruning when constraint propagation is disabled") { val tr1 = LocalRelation('a.int, 'b.int, 'c.int).subquery('tr1) val tr2 = LocalRelation('a.int, 'd.int, 'e.int).subquery('tr2) val query = tr1 .where("tr1.a".attr > 10 || "tr1.c".attr < 10) .join(tr2.where('d.attr < 100), Inner, Some("tr1.a".attr === "tr2.a".attr)) val queryWithUselessFilter = query.where( ("tr1.a".attr > 10 || "tr1.c".attr < 10) && 'd.attr < 100) val optimized = OptimizeWithConstraintPropagationDisabled.execute(queryWithUselessFilter.analyze) // When constraint propagation is disabled, the useless filter won't be pruned. // It gets pushed down. Because the rule `CombineFilters` runs only once, there are redundant // and duplicate filters. val correctAnswer = tr1 .where("tr1.a".attr > 10 || "tr1.c".attr < 10).where("tr1.a".attr > 10 || "tr1.c".attr < 10) .join(tr2.where('d.attr < 100).where('d.attr < 100), Inner, Some("tr1.a".attr === "tr2.a".attr)).analyze comparePlans(optimized, correctAnswer) } }
apache-2.0
geekpi/TranslateProject
published/201902/20190201 Top 5 Linux Distributions for New Users.md
9261
[#]: collector: (lujun9972) [#]: translator: (wxy) [#]: reviewer: (wxy) [#]: publisher: (wxy) [#]: url: (https://linux.cn/article-10553-1.html) [#]: subject: (Top 5 Linux Distributions for New Users) [#]: via: (https://www.linux.com/blog/learn/2019/2/top-5-linux-distributions-new-users) [#]: author: (Jack Wallen https://www.linux.com/users/jlwallen) 5 个面向新手的 Linux 发行版 ====== > 5 个可使用新用户有如归家般感觉的发行版。 ![](https://www.linux.com/sites/lcom/files/styles/rendered_file/public/deepin-main.jpg?itok=ASgr0mOP) 从最初的 Linux 到现在,Linux 已经发展了很长一段路。但是,无论你曾经多少次听说过现在使用 Linux 有多容易,仍然会有表示怀疑的人。而要真的承担得其这份声明,桌面必须足够简单,以便不熟悉 Linux 的人也能够使用它。事实上大量的桌面发行版使这成为了现实。 ### 无需 Linux 知识 将这个清单误解为又一个“最佳用户友好型 Linux 发行版”的清单可能很简单。但这不是我们要在这里看到的。这二者之间有什么不同?就我的目的而言,定义的界限是 Linux 是否真正起到了使用的作用。换句话说,你是否可以将这个桌面操作系统放在一个用户面前,并让他们应用自如而无需懂得 Linux 知识呢? 不管你相信与否,有些发行版就能做到。这里我将介绍给你 5 个这样的发行版。这些或许你全都听说过。它们或许不是你所选择的发行版,但可以向你保证它们无需过多关注,而是将用户放在眼前的。 我们来看看选中的几个。 ### Elementary OS [Elementary OS](https://elementary.io/) 的理念主要围绕人们如何实际使用他们的桌面。开发人员和设计人员不遗余力地创建尽可能简单的桌面。在这个过程中,他们致力于去 Linux 化的 Linux。这并不是说他们已经从这个等式中删除了 Linux。不,恰恰相反,他们所做的就是创建一个与你所发现的一样的中立的操作系统。Elementary OS 是如此流畅,以确保一切都完美合理。从单个 Dock 到每个人都清晰明了的应用程序菜单,这是一个桌面,而不用提醒用户说,“你正在使用 Linux!” 事实上,其布局本身就让人联想到 Mac,但附加了一个简单的应用程序菜单(图 1)。 ![Elementary OS Juno][2] *图 1:Elementary OS Juno 应用菜单* 将 Elementary OS 放在此列表中的另一个重要原因是它不像其他桌面发行版那样灵活。当然,有些用户会对此不以为然,但是如果桌面没有向用户扔出各种花哨的定制诱惑,那么就会形成一个非常熟悉的环境:一个既不需要也不允许大量修修补补的环境。操作系统在让新用户熟悉该平台这一方面还有很长的路要走。 与任何现代 Linux 桌面发行版一样,Elementary OS 包括了应用商店,称为 AppCenter,用户可以在其中安装所需的所有应用程序,而无需触及命令行。 ### 深度操作系统 [深度操作系统](https://www.deepin.org/)不仅得到了市场上最漂亮的台式机之一的赞誉,它也像任何桌面操作系统一样容易上手。其桌面界面非常简单,对于毫无 Linux 经验的用户来说,它的上手速度非常快。事实上,你很难找到无法立即上手使用 Deepin 桌面的用户。而这里唯一可能的障碍可能是其侧边栏控制中心(图 2)。 ![][5] *图 2:Deepin 的侧边栏控制编码* 但即使是侧边栏控制面板,也像市场上的任何其他配置工具一样直观。任何使用过移动设备的人对于这种布局都很熟悉。至于打开应用程序,Deepin 的启动器采用了 macOS Launchpad 的方式。此按钮位于桌面底座上通常最右侧的位置,因此用户立即就可以会意,知道它可能类似于标准的“开始”菜单。 与 Elementary OS(以及市场上大多数 Linux 发行版)类似,深度操作系统也包含一个应用程序商店(简称为“商店”),可以轻松安装大量应用程序。 ### Ubuntu 你知道肯定有它。[Ubuntu](https://www.ubuntu.com/) 通常在大多数用户友好的 Linux 列表中占据首位。因为它是少数几个不需要懂得 Linux 就能使用的桌面之一。但在采用 GNOME(和 Unity 谢幕)之前,情况并非如此。因为 Unity 经常需要进行一些调整才能达到一点 Linux 知识都不需要的程度(图 3)。现在 Ubuntu 已经采用了 GNOME,并将其调整到甚至不需要懂得 GNOME 的程度,这个桌面使得对 Linux 的简单性和可用性的要求不再是迫切问题。 ![Ubuntu 18.04][7] *图 3:Ubuntu 18.04 桌面可使用马上熟悉起来* 与 Elementary OS 不同,Ubuntu 对用户毫无阻碍。因此,任何想从桌面上获得更多信息的人都可以拥有它。但是,其开箱即用的体验对于任何类型的用户都是足够的。任何一个让用户不知道他们触手可及的力量有多少的桌面,肯定不如 Ubuntu。 ### Linux Mint 我需要首先声明,我从来都不是 [Linux Mint](https://linuxmint.com/) 的忠实粉丝。但这并不是说我不尊重开发者的工作,而更多的是一种审美观点。我更喜欢现代化的桌面环境。但是,旧式的学校计算机桌面的隐喻(可以在默认的 Cinnamon 桌面中找到)可以让几乎每个人使用它的人都格外熟悉。Linux Mint 使用任务栏、开始按钮、系统托盘和桌面图标(图 4),提供了一个需要零学习曲线的界面。事实上,一些用户最初可能会被愚弄,以为他们正在使用 Windows 7 的克隆版。甚至是它的更新警告图标也会让用户感到非常熟悉。 ![Linux Mint][9] *图 4:Linux Mint 的 Cinnamon 桌面非常像 Windows 7* 因为 Linux Mint 受益于其所基于的 Ubuntu,它不仅会让你马上熟悉起来,而且具有很高的可用性。无论你是否对底层平台有所了解,用户都会立即感受到宾至如归的感觉。 ### Ubuntu Budgie 我们的列表将以这样一个发行版做结:它也能让用户忘记他们正在使用 Linux,并且使用常用工具变得简单、美观。使 Ubuntu 融合 Budgie 桌面可以构成一个令人印象深刻的易用发行版。虽然其桌面布局(图 5)可能不太一样,但毫无疑问,适应这个环境并不需要浪费时间。实际上,除了 Dock 默认居于桌面的左侧,[Ubuntu Budgie](https://ubuntubudgie.org/) 确实看起来像 Elementary OS。 ![Budgie][11] *图 5:Budgie 桌面既漂亮又简单* Ubuntu Budgie 中的系统托盘/通知区域提供了一些不太多见的功能,比如:快速访问 Caffeine(一种保持桌面清醒的工具)、快速笔记工具(用于记录简单笔记)、Night Lite 开关、原地下拉菜单(用于快速访问文件夹),当然还有 Raven 小程序/通知侧边栏(与深度操作系统中的控制中心侧边栏类似,但不太优雅)。Budgie 还包括一个应用程序菜单(左上角),用户可以访问所有已安装的应用程序。打开一个应用程序,该图标将出现在 Dock 中。右键单击该应用程序图标,然后选择“保留在 Dock”以便更快地访问。 Ubuntu Budgie 的一切都很直观,所以几乎没有学习曲线。这种发行版既优雅又易于使用,不能再好了。 ### 选择一个吧 至此介绍了 5 个 Linux 发行版,它们各自以自己的方式提供了让任何用户都马上熟悉的桌面体验。虽然这些可能不是你对顶级发行版的选择,但对于那些不熟悉 Linux 的用户来说,却不能否定它们的价值。 -------------------------------------------------------------------------------- via: https://www.linux.com/blog/learn/2019/2/top-5-linux-distributions-new-users 作者:[Jack Wallen][a] 选题:[lujun9972][b] 译者:[wxy](https://github.com/wxy) 校对:[wxy](https://github.com/wxy) 本文由 [LCTT](https://github.com/LCTT/TranslateProject) 原创编译,[Linux中国](https://linux.cn/) 荣誉推出 [a]: https://www.linux.com/users/jlwallen [b]: https://github.com/lujun9972 [1]: https://www.linux.com/files/images/elementaryosjpg-2 [2]: https://www.linux.com/sites/lcom/files/styles/rendered_file/public/elementaryos_0.jpg?itok=KxgNUvMW (Elementary OS Juno) [3]: https://www.linux.com/licenses/category/used-permission [4]: https://www.linux.com/files/images/deepinjpg [5]: https://www.linux.com/sites/lcom/files/styles/rendered_file/public/deepin.jpg?itok=VV381a9f [6]: https://www.linux.com/files/images/ubuntujpg-1 [7]: https://www.linux.com/sites/lcom/files/styles/rendered_file/public/ubuntu_1.jpg?itok=bax-_Tsg (Ubuntu 18.04) [8]: https://www.linux.com/files/images/linuxmintjpg [9]: https://www.linux.com/sites/lcom/files/styles/rendered_file/public/linuxmint.jpg?itok=8sPon0Cq (Linux Mint ) [10]: https://www.linux.com/files/images/budgiejpg-0 [11]: https://www.linux.com/sites/lcom/files/styles/rendered_file/public/budgie_0.jpg?itok=zcf-AHmj (Budgie) [12]: https://training.linuxfoundation.org/linux-courses/system-administration-training/introduction-to-linux
apache-2.0
dabaitu/presto
presto-main/src/test/java/com/facebook/presto/execution/buffer/TestClientBuffer.java
15131
/* * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.facebook.presto.execution.buffer; import com.facebook.presto.OutputBuffers.OutputBufferId; import com.facebook.presto.block.BlockAssertions; import com.facebook.presto.execution.buffer.ClientBuffer.PageReference; import com.facebook.presto.operator.PageAssertions; import com.facebook.presto.spi.Page; import com.facebook.presto.spi.type.BigintType; import com.facebook.presto.spi.type.Type; import com.google.common.collect.ImmutableList; import io.airlift.units.DataSize; import io.airlift.units.Duration; import org.testng.annotations.Test; import java.util.List; import java.util.concurrent.CompletableFuture; import java.util.concurrent.atomic.AtomicBoolean; import static com.facebook.presto.execution.buffer.BufferResult.emptyResults; import static com.facebook.presto.spi.type.BigintType.BIGINT; import static com.google.common.base.Preconditions.checkArgument; import static io.airlift.concurrent.MoreFutures.tryGetFutureValue; import static io.airlift.units.DataSize.Unit.BYTE; import static java.util.concurrent.TimeUnit.MILLISECONDS; import static org.testng.Assert.assertEquals; import static org.testng.Assert.assertFalse; import static org.testng.Assert.assertTrue; import static org.testng.Assert.fail; public class TestClientBuffer { private static final Duration NO_WAIT = new Duration(0, MILLISECONDS); private static final DataSize PAGE_SIZE = new DataSize(createPage(42).getRetainedSizeInBytes(), BYTE); private static final String TASK_INSTANCE_ID = "task-instance-id"; private static final ImmutableList<BigintType> TYPES = ImmutableList.of(BIGINT); private static final OutputBufferId BUFFER_ID = new OutputBufferId(33); private static final String INVALID_SEQUENCE_ID = "Invalid sequence id"; @Test public void testSimplePartitioned() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); // add three pages to the buffer for (int i = 0; i < 3; i++) { addPage(buffer, createPage(i)); } assertBufferInfo(buffer, 3, 0); // get the pages elements from the buffer assertBufferResultEquals(TYPES, getBufferResult(buffer, 0, sizeOfPages(10), NO_WAIT), bufferResult(0, createPage(0), createPage(1), createPage(2))); // pages not acknowledged yet so state is the same assertBufferInfo(buffer, 3, 0); // acknowledge first three pages in the buffer buffer.getPages(3, sizeOfPages(10)).cancel(true); // pages now acknowledged assertBufferInfo(buffer, 0, 3); // add 3 more pages for (int i = 3; i < 6; i++) { addPage(buffer, createPage(i)); } assertBufferInfo(buffer, 3, 3); // remove a page assertBufferResultEquals(TYPES, getBufferResult(buffer, 3, sizeOfPages(1), NO_WAIT), bufferResult(3, createPage(3))); // page not acknowledged yet so sent count is the same assertBufferInfo(buffer, 3, 3); // set no more pages buffer.setNoMorePages(); // state should not change assertBufferInfo(buffer, 3, 3); // remove a page assertBufferResultEquals(TYPES, getBufferResult(buffer, 4, sizeOfPages(1), NO_WAIT), bufferResult(4, createPage(4))); assertBufferInfo(buffer, 2, 4); // remove last pages from, should not be finished assertBufferResultEquals(TYPES, getBufferResult(buffer, 5, sizeOfPages(30), NO_WAIT), bufferResult(5, createPage(5))); assertBufferInfo(buffer, 1, 5); // acknowledge all pages from the buffer, should return a finished buffer result assertBufferResultEquals(TYPES, getBufferResult(buffer, 6, sizeOfPages(10), NO_WAIT), emptyResults(TASK_INSTANCE_ID, 6, true)); assertBufferInfo(buffer, 0, 6); // buffer is not destroyed until explicitly destroyed buffer.destroy(); assertBufferDestroyed(buffer, 6); } @Test public void testDuplicateRequests() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); // add three pages for (int i = 0; i < 3; i++) { addPage(buffer, createPage(i)); } assertBufferInfo(buffer, 3, 0); // get the three pages assertBufferResultEquals(TYPES, getBufferResult(buffer, 0, sizeOfPages(10), NO_WAIT), bufferResult(0, createPage(0), createPage(1), createPage(2))); // pages not acknowledged yet so state is the same assertBufferInfo(buffer, 3, 0); // get the three pages again assertBufferResultEquals(TYPES, getBufferResult(buffer, 0, sizeOfPages(10), NO_WAIT), bufferResult(0, createPage(0), createPage(1), createPage(2))); // pages not acknowledged yet so state is the same assertBufferInfo(buffer, 3, 0); // acknowledge the pages buffer.getPages(3, sizeOfPages(10)).cancel(true); // attempt to get the three elements again, which will return an empty resilt assertBufferResultEquals(TYPES, getBufferResult(buffer, 0, sizeOfPages(10), NO_WAIT), emptyResults(TASK_INSTANCE_ID, 0, false)); // pages not acknowledged yet so state is the same assertBufferInfo(buffer, 0, 3); } @Test public void testAddAfterNoMorePages() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); buffer.setNoMorePages(); addPage(buffer, createPage(0)); addPage(buffer, createPage(0)); assertBufferInfo(buffer, 0, 0); } @Test public void testAddAfterDestroy() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); buffer.destroy(); addPage(buffer, createPage(0)); addPage(buffer, createPage(0)); assertBufferDestroyed(buffer, 0); } @Test public void testDestroy() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); // add 5 pages the buffer for (int i = 0; i < 5; i++) { addPage(buffer, createPage(i)); } buffer.setNoMorePages(); // read a page assertBufferResultEquals(TYPES, getBufferResult(buffer, 0, sizeOfPages(1), NO_WAIT), bufferResult(0, createPage(0))); // destroy without acknowledgement buffer.destroy(); assertBufferDestroyed(buffer, 0); // follow token from previous read, which should return a finished result assertBufferResultEquals(TYPES, getBufferResult(buffer, 1, sizeOfPages(1), NO_WAIT), emptyResults(TASK_INSTANCE_ID, 0, true)); } @Test public void testNoMorePagesFreesReader() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); // attempt to get a page CompletableFuture<BufferResult> future = buffer.getPages(0, sizeOfPages(10)); // verify we are waiting for a page assertFalse(future.isDone()); // add one item addPage(buffer, createPage(0)); // verify we got one page assertBufferResultEquals(TYPES, getFuture(future, NO_WAIT), bufferResult(0, createPage(0))); // attempt to get another page, and verify we are blocked future = buffer.getPages(1, sizeOfPages(10)); assertFalse(future.isDone()); // finish the buffer buffer.setNoMorePages(); assertBufferInfo(buffer, 0, 1); // verify the future completed assertBufferResultEquals(TYPES, getFuture(future, NO_WAIT), emptyResults(TASK_INSTANCE_ID, 1, true)); } @Test public void testDestroyFreesReader() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); // attempt to get a page CompletableFuture<BufferResult> future = buffer.getPages(0, sizeOfPages(10)); // verify we are waiting for a page assertFalse(future.isDone()); // add one item addPage(buffer, createPage(0)); assertTrue(future.isDone()); // verify we got one page assertBufferResultEquals(TYPES, getFuture(future, NO_WAIT), bufferResult(0, createPage(0))); // attempt to get another page, and verify we are blocked future = buffer.getPages(1, sizeOfPages(10)); assertFalse(future.isDone()); // destroy the buffer buffer.destroy(); // verify the future completed // buffer does not return a "complete" result in this case, but it doesn't matter assertBufferResultEquals(TYPES, getFuture(future, NO_WAIT), emptyResults(TASK_INSTANCE_ID, 1, false)); // further requests will see a completed result assertBufferDestroyed(buffer, 1); } @Test public void testInvalidTokenFails() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); addPage(buffer, createPage(0)); addPage(buffer, createPage(1)); buffer.getPages(1, sizeOfPages(10)).cancel(true); assertBufferInfo(buffer, 1, 1); // request negative token assertInvalidSequenceId(buffer, -1); assertBufferInfo(buffer, 1, 1); // request token off end of buffer assertInvalidSequenceId(buffer, 10); assertBufferInfo(buffer, 1, 1); } @Test public void testReferenceCount() throws Exception { ClientBuffer buffer = new ClientBuffer(TASK_INSTANCE_ID, BUFFER_ID); // add 2 pages and verify they are referenced AtomicBoolean page0HasReference = addPage(buffer, createPage(0)); AtomicBoolean page1HasReference = addPage(buffer, createPage(1)); assertTrue(page0HasReference.get()); assertTrue(page1HasReference.get()); assertBufferInfo(buffer, 2, 0); // read one page assertBufferResultEquals(TYPES, getBufferResult(buffer, 0, sizeOfPages(0), NO_WAIT), bufferResult(0, createPage(0))); assertTrue(page0HasReference.get()); assertTrue(page1HasReference.get()); assertBufferInfo(buffer, 2, 0); // acknowledge first page assertBufferResultEquals(TYPES, getBufferResult(buffer, 1, sizeOfPages(1), NO_WAIT), bufferResult(1, createPage(1))); assertFalse(page0HasReference.get()); assertTrue(page1HasReference.get()); assertBufferInfo(buffer, 1, 1); // destroy the buffer buffer.destroy(); assertFalse(page0HasReference.get()); assertFalse(page1HasReference.get()); assertBufferDestroyed(buffer, 1); } private static void assertInvalidSequenceId(ClientBuffer buffer, int sequenceId) { try { buffer.getPages(sequenceId, sizeOfPages(10)); fail("Expected " + INVALID_SEQUENCE_ID); } catch (IllegalArgumentException e) { assertEquals(e.getMessage(), INVALID_SEQUENCE_ID); } } private static BufferResult getBufferResult(ClientBuffer buffer, long sequenceId, DataSize maxSize, Duration maxWait) { CompletableFuture<BufferResult> future = buffer.getPages(sequenceId, maxSize); return getFuture(future, maxWait); } private static BufferResult getFuture(CompletableFuture<BufferResult> future, Duration maxWait) { return tryGetFutureValue(future, (int) maxWait.toMillis(), MILLISECONDS).get(); } private static AtomicBoolean addPage(ClientBuffer buffer, Page page) { AtomicBoolean dereferenced = new AtomicBoolean(true); PageReference pageReference = new PageReference(page, 1, () -> dereferenced.set(false)); buffer.enqueuePages(ImmutableList.of(pageReference)); pageReference.dereferencePage(); return dereferenced; } private static void assertBufferInfo( ClientBuffer buffer, int bufferedPages, int pagesSent) { assertEquals( buffer.getInfo(), new BufferInfo( BUFFER_ID, false, bufferedPages, pagesSent, new PageBufferInfo( BUFFER_ID.getId(), bufferedPages, sizeOfPages(bufferedPages).toBytes(), bufferedPages + pagesSent, // every page has one row bufferedPages + pagesSent))); assertEquals(buffer.isDestroyed(), false); } @SuppressWarnings("ConstantConditions") private static void assertBufferDestroyed(ClientBuffer buffer, int pagesSent) { BufferInfo bufferInfo = buffer.getInfo(); assertEquals(bufferInfo.getBufferedPages(), 0); assertEquals(bufferInfo.getPagesSent(), pagesSent); assertEquals(bufferInfo.isFinished(), true); assertEquals(buffer.isDestroyed(), true); } private static void assertBufferResultEquals(List<? extends Type> types, BufferResult actual, BufferResult expected) { assertEquals(actual.getPages().size(), expected.getPages().size()); assertEquals(actual.getToken(), expected.getToken()); for (int i = 0; i < actual.getPages().size(); i++) { Page actualPage = actual.getPages().get(i); Page expectedPage = expected.getPages().get(i); assertEquals(actualPage.getChannelCount(), expectedPage.getChannelCount()); PageAssertions.assertPageEquals(types, actualPage, expectedPage); } assertEquals(actual.isBufferComplete(), expected.isBufferComplete()); } private static BufferResult bufferResult(long token, Page firstPage, Page... otherPages) { List<Page> pages = ImmutableList.<Page>builder().add(firstPage).add(otherPages).build(); return bufferResult(token, pages); } private static BufferResult bufferResult(long token, List<Page> pages) { checkArgument(!pages.isEmpty(), "pages is empty"); return new BufferResult(TASK_INSTANCE_ID, token, token + pages.size(), false, pages); } private static Page createPage(int i) { return new Page(BlockAssertions.createLongsBlock(i)); } private static DataSize sizeOfPages(int count) { return new DataSize(PAGE_SIZE.toBytes() * count, BYTE); } }
apache-2.0
graydon/rust
src/test/ui/never_type/expr-empty-ret.rs
196
// run-pass #![allow(dead_code)] // Issue #521 // pretty-expanded FIXME #23616 fn f() { let _x = match true { true => { 10 } false => { return } }; } pub fn main() { }
apache-2.0
stephanenicolas/google-guice
latest-api-diffs/2.0/javadoc/com/google/inject/spi/class-use/PrivateElements.html
9911
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!--NewPage--> <HTML> <HEAD> <!-- Generated by javadoc (build 1.6.0_07) on Tue May 19 17:01:48 PDT 2009 --> <TITLE> Uses of Interface com.google.inject.spi.PrivateElements (Guice 2.0) </TITLE> <META NAME="date" CONTENT="2009-05-19"> <LINK REL ="stylesheet" TYPE="text/css" HREF="../../../../../stylesheet.css" TITLE="Style"> <SCRIPT type="text/javascript"> function windowTitle() { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Interface com.google.inject.spi.PrivateElements (Guice 2.0)"; } } </SCRIPT> <NOSCRIPT> </NOSCRIPT> </HEAD> <BODY BGCOLOR="white" onload="windowTitle();"> <HR> <!-- ========= START OF TOP NAVBAR ======= --> <A NAME="navbar_top"><!-- --></A> <A HREF="#skip-navbar_top" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_top_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;PREV&nbsp; &nbsp;NEXT</FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?com/google/inject/spi//class-usePrivateElements.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="PrivateElements.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_top"></A> <!-- ========= END OF TOP NAVBAR ========= --> <HR> <CENTER> <H2> <B>Uses of Interface<br>com.google.inject.spi.PrivateElements</B></H2> </CENTER> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> Packages that use <A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD><A HREF="#com.google.inject.spi"><B>com.google.inject.spi</B></A></TD> <TD>Guice service provider interface&nbsp;</TD> </TR> </TABLE> &nbsp; <P> <A NAME="com.google.inject.spi"><!-- --></A> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableHeadingColor"> <TH ALIGN="left" COLSPAN="2"><FONT SIZE="+2"> Uses of <A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A> in <A HREF="../../../../../com/google/inject/spi/package-summary.html">com.google.inject.spi</A></FONT></TH> </TR> </TABLE> &nbsp; <P> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableSubHeadingColor"> <TH ALIGN="left" COLSPAN="2">Methods in <A HREF="../../../../../com/google/inject/spi/package-summary.html">com.google.inject.spi</A> that return <A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A></CODE></FONT></TD> <TD><CODE><B>ExposedBinding.</B><B><A HREF="../../../../../com/google/inject/spi/ExposedBinding.html#getPrivateElements()">getPrivateElements</A></B>()</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Returns the enclosed environment that holds the original binding.</TD> </TR> </TABLE> &nbsp; <P> <TABLE BORDER="1" WIDTH="100%" CELLPADDING="3" CELLSPACING="0" SUMMARY=""> <TR BGCOLOR="#CCCCFF" CLASS="TableSubHeadingColor"> <TH ALIGN="left" COLSPAN="2">Methods in <A HREF="../../../../../com/google/inject/spi/package-summary.html">com.google.inject.spi</A> with parameters of type <A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A></FONT></TH> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../../com/google/inject/spi/ElementVisitor.html" title="type parameter in ElementVisitor">V</A></CODE></FONT></TD> <TD><CODE><B>ElementVisitor.</B><B><A HREF="../../../../../com/google/inject/spi/ElementVisitor.html#visit(com.google.inject.spi.PrivateElements)">visit</A></B>(<A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A>&nbsp;elements)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;Visit a collection of configuration elements for a <A HREF="../../../../../com/google/inject/PrivateBinder.html" title="interface in com.google.inject">private binder</A>.</TD> </TR> <TR BGCOLOR="white" CLASS="TableRowColor"> <TD ALIGN="right" VALIGN="top" WIDTH="1%"><FONT SIZE="-1"> <CODE>&nbsp;<A HREF="../../../../../com/google/inject/spi/DefaultElementVisitor.html" title="type parameter in DefaultElementVisitor">V</A></CODE></FONT></TD> <TD><CODE><B>DefaultElementVisitor.</B><B><A HREF="../../../../../com/google/inject/spi/DefaultElementVisitor.html#visit(com.google.inject.spi.PrivateElements)">visit</A></B>(<A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi">PrivateElements</A>&nbsp;privateElements)</CODE> <BR> &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;</TD> </TR> </TABLE> &nbsp; <P> <HR> <!-- ======= START OF BOTTOM NAVBAR ====== --> <A NAME="navbar_bottom"><!-- --></A> <A HREF="#skip-navbar_bottom" title="Skip navigation links"></A> <TABLE BORDER="0" WIDTH="100%" CELLPADDING="1" CELLSPACING="0" SUMMARY=""> <TR> <TD COLSPAN=2 BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A NAME="navbar_bottom_firstrow"><!-- --></A> <TABLE BORDER="0" CELLPADDING="0" CELLSPACING="3" SUMMARY=""> <TR ALIGN="center" VALIGN="top"> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../overview-summary.html"><FONT CLASS="NavBarFont1"><B>Overview</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-summary.html"><FONT CLASS="NavBarFont1"><B>Package</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../com/google/inject/spi/PrivateElements.html" title="interface in com.google.inject.spi"><FONT CLASS="NavBarFont1"><B>Class</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#FFFFFF" CLASS="NavBarCell1Rev"> &nbsp;<FONT CLASS="NavBarFont1Rev"><B>Use</B></FONT>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../package-tree.html"><FONT CLASS="NavBarFont1"><B>Tree</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../deprecated-list.html"><FONT CLASS="NavBarFont1"><B>Deprecated</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../index-all.html"><FONT CLASS="NavBarFont1"><B>Index</B></FONT></A>&nbsp;</TD> <TD BGCOLOR="#EEEEFF" CLASS="NavBarCell1"> <A HREF="../../../../../help-doc.html"><FONT CLASS="NavBarFont1"><B>Help</B></FONT></A>&nbsp;</TD> </TR> </TABLE> </TD> <TD ALIGN="right" VALIGN="top" ROWSPAN=3><EM> </EM> </TD> </TR> <TR> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> &nbsp;PREV&nbsp; &nbsp;NEXT</FONT></TD> <TD BGCOLOR="white" CLASS="NavBarCell2"><FONT SIZE="-2"> <A HREF="../../../../../index.html?com/google/inject/spi//class-usePrivateElements.html" target="_top"><B>FRAMES</B></A> &nbsp; &nbsp;<A HREF="PrivateElements.html" target="_top"><B>NO FRAMES</B></A> &nbsp; &nbsp;<SCRIPT type="text/javascript"> <!-- if(window==top) { document.writeln('<A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A>'); } //--> </SCRIPT> <NOSCRIPT> <A HREF="../../../../../allclasses-noframe.html"><B>All Classes</B></A> </NOSCRIPT> </FONT></TD> </TR> </TABLE> <A NAME="skip-navbar_bottom"></A> <!-- ======== END OF BOTTOM NAVBAR ======= --> <HR> <i>Copyright 2009 Google Inc. All Rights Reserved.</i> </BODY> </HTML>
apache-2.0
bravo-zhang/spark
core/src/main/scala/org/apache/spark/deploy/worker/ExecutorRunner.scala
7585
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.spark.deploy.worker import java.io._ import java.nio.charset.StandardCharsets import scala.collection.JavaConverters._ import com.google.common.io.Files import org.apache.spark.{SecurityManager, SparkConf} import org.apache.spark.deploy.{ApplicationDescription, Command, ExecutorState} import org.apache.spark.deploy.DeployMessages.ExecutorStateChanged import org.apache.spark.internal.Logging import org.apache.spark.rpc.RpcEndpointRef import org.apache.spark.util.{ShutdownHookManager, Utils} import org.apache.spark.util.logging.FileAppender /** * Manages the execution of one executor process. * This is currently only used in standalone mode. */ private[deploy] class ExecutorRunner( val appId: String, val execId: Int, val appDesc: ApplicationDescription, val cores: Int, val memory: Int, val worker: RpcEndpointRef, val workerId: String, val host: String, val webUiPort: Int, val publicAddress: String, val sparkHome: File, val executorDir: File, val workerUrl: String, conf: SparkConf, val appLocalDirs: Seq[String], @volatile var state: ExecutorState.Value) extends Logging { private val fullId = appId + "/" + execId private var workerThread: Thread = null private var process: Process = null private var stdoutAppender: FileAppender = null private var stderrAppender: FileAppender = null // Timeout to wait for when trying to terminate an executor. private val EXECUTOR_TERMINATE_TIMEOUT_MS = 10 * 1000 // NOTE: This is now redundant with the automated shut-down enforced by the Executor. It might // make sense to remove this in the future. private var shutdownHook: AnyRef = null private[worker] def start() { workerThread = new Thread("ExecutorRunner for " + fullId) { override def run() { fetchAndRunExecutor() } } workerThread.start() // Shutdown hook that kills actors on shutdown. shutdownHook = ShutdownHookManager.addShutdownHook { () => // It's possible that we arrive here before calling `fetchAndRunExecutor`, then `state` will // be `ExecutorState.RUNNING`. In this case, we should set `state` to `FAILED`. if (state == ExecutorState.RUNNING) { state = ExecutorState.FAILED } killProcess(Some("Worker shutting down")) } } /** * Kill executor process, wait for exit and notify worker to update resource status. * * @param message the exception message which caused the executor's death */ private def killProcess(message: Option[String]) { var exitCode: Option[Int] = None if (process != null) { logInfo("Killing process!") if (stdoutAppender != null) { stdoutAppender.stop() } if (stderrAppender != null) { stderrAppender.stop() } exitCode = Utils.terminateProcess(process, EXECUTOR_TERMINATE_TIMEOUT_MS) if (exitCode.isEmpty) { logWarning("Failed to terminate process: " + process + ". This process will likely be orphaned.") } } try { worker.send(ExecutorStateChanged(appId, execId, state, message, exitCode)) } catch { case e: IllegalStateException => logWarning(e.getMessage(), e) } } /** Stop this executor runner, including killing the process it launched */ private[worker] def kill() { if (workerThread != null) { // the workerThread will kill the child process when interrupted workerThread.interrupt() workerThread = null state = ExecutorState.KILLED try { ShutdownHookManager.removeShutdownHook(shutdownHook) } catch { case e: IllegalStateException => None } } } /** Replace variables such as {{EXECUTOR_ID}} and {{CORES}} in a command argument passed to us */ private[worker] def substituteVariables(argument: String): String = argument match { case "{{WORKER_URL}}" => workerUrl case "{{EXECUTOR_ID}}" => execId.toString case "{{HOSTNAME}}" => host case "{{CORES}}" => cores.toString case "{{APP_ID}}" => appId case other => other } /** * Download and run the executor described in our ApplicationDescription */ private def fetchAndRunExecutor() { try { // Launch the process val subsOpts = appDesc.command.javaOpts.map { Utils.substituteAppNExecIds(_, appId, execId.toString) } val subsCommand = appDesc.command.copy(javaOpts = subsOpts) val builder = CommandUtils.buildProcessBuilder(subsCommand, new SecurityManager(conf), memory, sparkHome.getAbsolutePath, substituteVariables) val command = builder.command() val formattedCommand = command.asScala.mkString("\"", "\" \"", "\"") logInfo(s"Launch command: $formattedCommand") builder.directory(executorDir) builder.environment.put("SPARK_EXECUTOR_DIRS", appLocalDirs.mkString(File.pathSeparator)) // In case we are running this from within the Spark Shell, avoid creating a "scala" // parent process for the executor command builder.environment.put("SPARK_LAUNCH_WITH_SCALA", "0") // Add webUI log urls val baseUrl = if (conf.getBoolean("spark.ui.reverseProxy", false)) { s"/proxy/$workerId/logPage/?appId=$appId&executorId=$execId&logType=" } else { s"http://$publicAddress:$webUiPort/logPage/?appId=$appId&executorId=$execId&logType=" } builder.environment.put("SPARK_LOG_URL_STDERR", s"${baseUrl}stderr") builder.environment.put("SPARK_LOG_URL_STDOUT", s"${baseUrl}stdout") process = builder.start() val header = "Spark Executor Command: %s\n%s\n\n".format( formattedCommand, "=" * 40) // Redirect its stdout and stderr to files val stdout = new File(executorDir, "stdout") stdoutAppender = FileAppender(process.getInputStream, stdout, conf) val stderr = new File(executorDir, "stderr") Files.write(header, stderr, StandardCharsets.UTF_8) stderrAppender = FileAppender(process.getErrorStream, stderr, conf) // Wait for it to exit; executor may exit with code 0 (when driver instructs it to shutdown) // or with nonzero exit code val exitCode = process.waitFor() state = ExecutorState.EXITED val message = "Command exited with code " + exitCode worker.send(ExecutorStateChanged(appId, execId, state, Some(message), Some(exitCode))) } catch { case interrupted: InterruptedException => logInfo("Runner thread for executor " + fullId + " interrupted") state = ExecutorState.KILLED killProcess(None) case e: Exception => logError("Error running executor", e) state = ExecutorState.FAILED killProcess(Some(e.toString)) } } }
apache-2.0
gkmlo/gdata-ruby-util
doc/fr_method_index.html
6104
<?xml version="1.0" encoding="iso-8859-1"?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <!-- Methods --> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en"> <head> <title>Methods</title> <meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" /> <link rel="stylesheet" href="rdoc-style.css" type="text/css" /> <base target="docwin" /> </head> <body> <div id="index"> <h1 class="section-bar">Methods</h1> <div id="index-entries"> <a href="classes/GData/Client/Calendar.html#M000032">auth_handler= (GData::Client::Calendar)</a><br /> <a href="classes/GData/Client/Base.html#M000025">authsub_private_key= (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Base.html#M000024">authsub_token= (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Base.html#M000023">authsub_url (GData::Client::Base)</a><br /> <a href="classes/GData/HTTP/Request.html#M000045">calculate_length! (GData::HTTP::Request)</a><br /> <a href="classes/GData/HTTP/Request.html#M000044">chunked= (GData::HTTP::Request)</a><br /> <a href="classes/GData/HTTP/Request.html#M000043">chunked? (GData::HTTP::Request)</a><br /> <a href="classes/GData/Client/Base.html#M000022">clientlogin (GData::Client::Base)</a><br /> <a href="classes/GData/HTTP/MimeBody.html#M000038">content_type (GData::HTTP::MimeBody)</a><br /> <a href="classes/GData/Client/Base.html#M000020">delete (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Base.html#M000015">get (GData::Client::Base)</a><br /> <a href="classes/GData/Auth/ClientLogin.html#M000055">get_token (GData::Auth::ClientLogin)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000053">get_url (GData::Auth::AuthSub)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000051">info (GData::Auth::AuthSub)</a><br /> <a href="classes/GData/Client/Base.html#M000013">make_file_request (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Calendar.html#M000033">make_request (GData::Client::Calendar)</a><br /> <a href="classes/GData/HTTP/DefaultService.html#M000046">make_request (GData::HTTP::DefaultService)</a><br /> <a href="classes/GData/Client/Base.html#M000014">make_request (GData::Client::Base)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000047">new (GData::Auth::AuthSub)</a><br /> <a href="classes/GData/Client/Spreadsheets.html#M000001">new (GData::Client::Spreadsheets)</a><br /> <a href="classes/GData/Auth/ClientLogin.html#M000054">new (GData::Auth::ClientLogin)</a><br /> <a href="classes/GData/Client/Base.html#M000012">new (GData::Client::Base)</a><br /> <a href="classes/GData/Client/BookSearch.html#M000011">new (GData::Client::BookSearch)</a><br /> <a href="classes/GData/Client/Notebook.html#M000010">new (GData::Client::Notebook)</a><br /> <a href="classes/GData/Client/Photos.html#M000009">new (GData::Client::Photos)</a><br /> <a href="classes/GData/Client/YouTube.html#M000026">new (GData::Client::YouTube)</a><br /> <a href="classes/GData/Client/WebmasterTools.html#M000008">new (GData::Client::WebmasterTools)</a><br /> <a href="classes/GData/Client/Apps.html#M000028">new (GData::Client::Apps)</a><br /> <a href="classes/GData/HTTP/Request.html#M000042">new (GData::HTTP::Request)</a><br /> <a href="classes/GData/Client/Finance.html#M000030">new (GData::Client::Finance)</a><br /> <a href="classes/GData/Client/Calendar.html#M000031">new (GData::Client::Calendar)</a><br /> <a href="classes/GData/Client/DocList.html#M000007">new (GData::Client::DocList)</a><br /> <a href="classes/GData/Client/RequestError.html#M000006">new (GData::Client::RequestError)</a><br /> <a href="classes/GData/Client/CaptchaError.html#M000005">new (GData::Client::CaptchaError)</a><br /> <a href="classes/GData/Client/Health.html#M000035">new (GData::Client::Health)</a><br /> <a href="classes/GData/HTTP/MimeBody.html#M000036">new (GData::HTTP::MimeBody)</a><br /> <a href="classes/GData/Client/GBase.html#M000004">new (GData::Client::GBase)</a><br /> <a href="classes/GData/Client/Contacts.html#M000003">new (GData::Client::Contacts)</a><br /> <a href="classes/GData/Client/Blogger.html#M000002">new (GData::Client::Blogger)</a><br /> <a href="classes/GData/HTTP/MimeBodyString.html#M000040">new (GData::HTTP::MimeBodyString)</a><br /> <a href="classes/GData/Client/GMail.html#M000029">new (GData::Client::GMail)</a><br /> <a href="classes/GData/Client/Base.html#M000018">post (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Base.html#M000019">post_file (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Base.html#M000021">prepare_headers (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Calendar.html#M000034">prepare_headers (GData::Client::Calendar)</a><br /> <a href="classes/GData/Client/YouTube.html#M000027">prepare_headers (GData::Client::YouTube)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000048">private_key= (GData::Auth::AuthSub)</a><br /> <a href="classes/GData/Client/Base.html#M000016">put (GData::Client::Base)</a><br /> <a href="classes/GData/Client/Base.html#M000017">put_file (GData::Client::Base)</a><br /> <a href="classes/GData/HTTP/MimeBodyString.html#M000041">read (GData::HTTP::MimeBodyString)</a><br /> <a href="classes/GData/HTTP/MimeBody.html#M000037">read (GData::HTTP::MimeBody)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000052">revoke (GData::Auth::AuthSub)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000049">sign_request! (GData::Auth::AuthSub)</a><br /> <a href="classes/GData/Auth/ClientLogin.html#M000056">sign_request! (GData::Auth::ClientLogin)</a><br /> <a href="classes/GData/HTTP/Response.html#M000039">to_xml (GData::HTTP::Response)</a><br /> <a href="classes/GData/Auth/AuthSub.html#M000050">upgrade (GData::Auth::AuthSub)</a><br /> </div> </div> </body> </html>
apache-2.0
pmezard/bleve
analysis/token_filters/shingle/shingle.go
3459
package shingle import ( "container/ring" "fmt" "github.com/blevesearch/bleve/analysis" "github.com/blevesearch/bleve/registry" ) const Name = "shingle" type ShingleFilter struct { min int max int outputOriginal bool tokenSeparator string fill string ring *ring.Ring itemsInRing int } func NewShingleFilter(min, max int, outputOriginal bool, sep, fill string) *ShingleFilter { return &ShingleFilter{ min: min, max: max, outputOriginal: outputOriginal, tokenSeparator: sep, fill: fill, ring: ring.New(max), } } func (s *ShingleFilter) Filter(input analysis.TokenStream) analysis.TokenStream { rv := make(analysis.TokenStream, 0, len(input)) currentPosition := 0 for _, token := range input { if s.outputOriginal { rv = append(rv, token) } // if there are gaps, insert filler tokens offset := token.Position - currentPosition for offset > 1 { fillerToken := analysis.Token{ Position: 0, Start: -1, End: -1, Type: analysis.AlphaNumeric, Term: []byte(s.fill), } s.ring.Value = &fillerToken if s.itemsInRing < s.max { s.itemsInRing++ } rv = append(rv, s.shingleCurrentRingState()...) s.ring = s.ring.Next() offset-- } currentPosition = token.Position s.ring.Value = token if s.itemsInRing < s.max { s.itemsInRing++ } rv = append(rv, s.shingleCurrentRingState()...) s.ring = s.ring.Next() } return rv } func (s *ShingleFilter) shingleCurrentRingState() analysis.TokenStream { rv := make(analysis.TokenStream, 0) for shingleN := s.min; shingleN <= s.max; shingleN++ { // if there are enough items in the ring // to produce a shingle of this size if s.itemsInRing >= shingleN { thisShingleRing := s.ring.Move(-(shingleN - 1)) shingledBytes := make([]byte, 0) pos := 0 start := -1 end := 0 for i := 0; i < shingleN; i++ { if i != 0 { shingledBytes = append(shingledBytes, []byte(s.tokenSeparator)...) } curr := thisShingleRing.Value.(*analysis.Token) if pos == 0 && curr.Position != 0 { pos = curr.Position } if start == -1 && curr.Start != -1 { start = curr.Start } if curr.End != -1 { end = curr.End } shingledBytes = append(shingledBytes, curr.Term...) thisShingleRing = thisShingleRing.Next() } token := analysis.Token{ Type: analysis.Shingle, Term: shingledBytes, } if pos != 0 { token.Position = pos } if start != -1 { token.Start = start } if end != -1 { token.End = end } rv = append(rv, &token) } } return rv } func ShingleFilterConstructor(config map[string]interface{}, cache *registry.Cache) (analysis.TokenFilter, error) { minVal, ok := config["min"].(float64) if !ok { return nil, fmt.Errorf("must specify min") } min := int(minVal) maxVal, ok := config["max"].(float64) if !ok { return nil, fmt.Errorf("must specify max") } max := int(maxVal) outputOriginal := false outVal, ok := config["output_original"].(bool) if ok { outputOriginal = outVal } sep := " " sepVal, ok := config["separator"].(string) if ok { sep = sepVal } fill := "_" fillVal, ok := config["filler"].(string) if ok { fill = fillVal } return NewShingleFilter(min, max, outputOriginal, sep, fill), nil } func init() { registry.RegisterTokenFilter(Name, ShingleFilterConstructor) }
apache-2.0
lorcanmooney/roslyn
src/Scripting/CoreTest.Desktop/MetadataShadowCopyProviderTests.cs
12063
// Copyright (c) Microsoft. All Rights Reserved. Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information. using System; using System.Linq; using System.IO; using Roslyn.Test.Utilities; using Microsoft.CodeAnalysis.Test.Utilities; using Xunit; using Microsoft.CodeAnalysis; using System.Collections.Immutable; using Roslyn.Utilities; using System.Runtime.InteropServices; using System.Globalization; namespace Microsoft.CodeAnalysis.Scripting.Hosting.UnitTests { // TODO: clean up and move to portable tests public class MetadataShadowCopyProviderTests : TestBase { private readonly MetadataShadowCopyProvider _provider; private static readonly ImmutableArray<string> s_systemNoShadowCopyDirectories = ImmutableArray.Create( FileUtilities.NormalizeDirectoryPath(Environment.GetFolderPath(Environment.SpecialFolder.Windows)), FileUtilities.NormalizeDirectoryPath(Environment.GetFolderPath(Environment.SpecialFolder.ProgramFiles)), FileUtilities.NormalizeDirectoryPath(Environment.GetFolderPath(Environment.SpecialFolder.ProgramFilesX86)), FileUtilities.NormalizeDirectoryPath(RuntimeEnvironment.GetRuntimeDirectory())); public MetadataShadowCopyProviderTests() { _provider = CreateProvider(CultureInfo.InvariantCulture); } private static MetadataShadowCopyProvider CreateProvider(CultureInfo culture) { return new MetadataShadowCopyProvider(TempRoot.Root, s_systemNoShadowCopyDirectories, culture); } public override void Dispose() { _provider.Dispose(); Assert.False(Directory.Exists(_provider.ShadowCopyDirectory), "Shadow copy directory should have been deleted"); base.Dispose(); } [Fact] public void Errors() { Assert.Throws<ArgumentNullException>(() => _provider.NeedsShadowCopy(null)); Assert.Throws<ArgumentException>(() => _provider.NeedsShadowCopy("c:goo.dll")); Assert.Throws<ArgumentException>(() => _provider.NeedsShadowCopy("bar.dll")); Assert.Throws<ArgumentException>(() => _provider.NeedsShadowCopy(@"\bar.dll")); Assert.Throws<ArgumentException>(() => _provider.NeedsShadowCopy(@"../bar.dll")); Assert.Throws<ArgumentNullException>(() => _provider.SuppressShadowCopy(null)); Assert.Throws<ArgumentException>(() => _provider.SuppressShadowCopy("c:goo.dll")); Assert.Throws<ArgumentException>(() => _provider.SuppressShadowCopy("bar.dll")); Assert.Throws<ArgumentException>(() => _provider.SuppressShadowCopy(@"\bar.dll")); Assert.Throws<ArgumentException>(() => _provider.SuppressShadowCopy(@"../bar.dll")); Assert.Throws<ArgumentOutOfRangeException>(() => _provider.GetMetadataShadowCopy(@"c:\goo.dll", (MetadataImageKind)Byte.MaxValue)); Assert.Throws<ArgumentNullException>(() => _provider.GetMetadataShadowCopy(null, MetadataImageKind.Assembly)); Assert.Throws<ArgumentException>(() => _provider.GetMetadataShadowCopy("c:goo.dll", MetadataImageKind.Assembly)); Assert.Throws<ArgumentException>(() => _provider.GetMetadataShadowCopy("bar.dll", MetadataImageKind.Assembly)); Assert.Throws<ArgumentException>(() => _provider.GetMetadataShadowCopy(@"\bar.dll", MetadataImageKind.Assembly)); Assert.Throws<ArgumentException>(() => _provider.GetMetadataShadowCopy(@"../bar.dll", MetadataImageKind.Assembly)); Assert.Throws<ArgumentOutOfRangeException>(() => _provider.GetMetadata(@"c:\goo.dll", (MetadataImageKind)Byte.MaxValue)); Assert.Throws<ArgumentNullException>(() => _provider.GetMetadata(null, MetadataImageKind.Assembly)); Assert.Throws<ArgumentException>(() => _provider.GetMetadata("c:goo.dll", MetadataImageKind.Assembly)); } [Fact] public void Copy() { var dir = Temp.CreateDirectory(); var dll = dir.CreateFile("a.dll").WriteAllBytes(TestResources.MetadataTests.InterfaceAndClass.CSClasses01); var doc = dir.CreateFile("a.xml").WriteAllText("<hello>"); var sc1 = _provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); var sc2 = _provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.Equal(sc2, sc1); Assert.Equal(dll.Path, sc1.PrimaryModule.OriginalPath); Assert.NotEqual(dll.Path, sc1.PrimaryModule.FullPath); Assert.False(sc1.Metadata.IsImageOwner, "Copy expected"); Assert.Equal(File.ReadAllBytes(dll.Path), File.ReadAllBytes(sc1.PrimaryModule.FullPath)); Assert.Equal(File.ReadAllBytes(doc.Path), File.ReadAllBytes(sc1.DocumentationFile.FullPath)); } [Fact] public void SuppressCopy1() { var dll = Temp.CreateFile().WriteAllText("blah"); _provider.SuppressShadowCopy(dll.Path); var sc1 = _provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.Null(sc1); } [Fact] public void SuppressCopy_Framework() { // framework assemblies not copied: string mscorlib = typeof(object).Assembly.Location; var sc2 = _provider.GetMetadataShadowCopy(mscorlib, MetadataImageKind.Assembly); Assert.Null(sc2); } [Fact] public void SuppressCopy_ShadowCopyDirectory() { // shadow copies not copied: var dll = Temp.CreateFile("a.dll").WriteAllBytes(TestResources.MetadataTests.InterfaceAndClass.CSClasses01); // copy: var sc1 = _provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.NotEqual(dll.Path, sc1.PrimaryModule.FullPath); // file not copied: var sc2 = _provider.GetMetadataShadowCopy(sc1.PrimaryModule.FullPath, MetadataImageKind.Assembly); Assert.Null(sc2); } [Fact] public void Modules() { // modules: { MultiModule.dll, mod2.netmodule, mod3.netmodule } var dir = Temp.CreateDirectory(); string path0 = dir.CreateFile("MultiModule.dll").WriteAllBytes(TestResources.SymbolsTests.MultiModule.MultiModuleDll).Path; string path1 = dir.CreateFile("mod2.netmodule").WriteAllBytes(TestResources.SymbolsTests.MultiModule.mod2).Path; string path2 = dir.CreateFile("mod3.netmodule").WriteAllBytes(TestResources.SymbolsTests.MultiModule.mod3).Path; var metadata1 = _provider.GetMetadata(path0, MetadataImageKind.Assembly) as AssemblyMetadata; Assert.NotNull(metadata1); Assert.Equal(3, metadata1.GetModules().Length); var scDir = Directory.GetFileSystemEntries(_provider.ShadowCopyDirectory).Single(); Assert.True(Directory.Exists(scDir)); var scFiles = Directory.GetFileSystemEntries(scDir); AssertEx.SetEqual(new[] { "MultiModule.dll", "mod2.netmodule", "mod3.netmodule" }, scFiles.Select(p => Path.GetFileName(p))); foreach (var sc in scFiles) { Assert.True(_provider.IsShadowCopy(sc)); // files should be locked: Assert.Throws<IOException>(() => File.Delete(sc)); } // should get the same metadata: var metadata2 = _provider.GetMetadata(path0, MetadataImageKind.Assembly) as AssemblyMetadata; Assert.Same(metadata1, metadata2); // modify the file: File.SetLastWriteTimeUtc(path0, DateTime.Now + TimeSpan.FromHours(1)); // we get an updated image if we ask again: var modifiedMetadata3 = _provider.GetMetadata(path0, MetadataImageKind.Assembly) as AssemblyMetadata; Assert.NotSame(modifiedMetadata3, metadata2); // the file has been modified - we get new metadata: for (int i = 0; i < metadata2.GetModules().Length; i++) { Assert.NotSame(metadata2.GetModules()[i], modifiedMetadata3.GetModules()[i]); } } [Fact] public unsafe void DisposalOnFailure() { var f0 = Temp.CreateFile().WriteAllText("bogus").Path; Assert.Throws<BadImageFormatException>(() => _provider.GetMetadata(f0, MetadataImageKind.Assembly)); string f1 = Temp.CreateFile().WriteAllBytes(TestResources.SymbolsTests.MultiModule.MultiModuleDll).Path; Assert.Throws<FileNotFoundException>(() => _provider.GetMetadata(f1, MetadataImageKind.Assembly)); } [Fact] public void GetMetadata() { var dir = Temp.CreateDirectory(); var dll = dir.CreateFile("a.dll").WriteAllBytes(TestResources.MetadataTests.InterfaceAndClass.CSClasses01); var doc = dir.CreateFile("a.xml").WriteAllText("<hello>"); var sc1 = _provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); var sc2 = _provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); var md1 = _provider.GetMetadata(dll.Path, MetadataImageKind.Assembly); Assert.NotNull(md1); Assert.Equal(MetadataImageKind.Assembly, md1.Kind); // This needs to be in different folder from referencesdir to cause the other code path // to be triggered for NeedsShadowCopy method var dir2 = Path.GetTempPath(); string dll2 = Path.Combine(dir2, "a2.dll"); File.WriteAllBytes(dll2, TestResources.MetadataTests.InterfaceAndClass.CSClasses01); Assert.Equal(1, _provider.CacheSize); var sc3a = _provider.GetMetadataShadowCopy(dll2, MetadataImageKind.Module); Assert.Equal(2, _provider.CacheSize); } [Fact] public void XmlDocComments_SpecificCulture() { var elGR = CultureInfo.GetCultureInfo("el-GR"); var arMA = CultureInfo.GetCultureInfo("ar-MA"); var dir = Temp.CreateDirectory(); var dll = dir.CreateFile("a.dll").WriteAllBytes(TestResources.MetadataTests.InterfaceAndClass.CSClasses01); var docInvariant = dir.CreateFile("a.xml").WriteAllText("Invariant"); var docGreek = dir.CreateDirectory(elGR.Name).CreateFile("a.xml").WriteAllText("Greek"); // invariant culture var provider = CreateProvider(CultureInfo.InvariantCulture); var sc = provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.Equal(Path.Combine(Path.GetDirectoryName(sc.PrimaryModule.FullPath), @"a.xml"), sc.DocumentationFile.FullPath); Assert.Equal("Invariant", File.ReadAllText(sc.DocumentationFile.FullPath)); // Greek culture provider = CreateProvider(elGR); sc = provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.Equal(Path.Combine(Path.GetDirectoryName(sc.PrimaryModule.FullPath), @"el-GR\a.xml"), sc.DocumentationFile.FullPath); Assert.Equal("Greek", File.ReadAllText(sc.DocumentationFile.FullPath)); // Arabic culture (culture specific docs not found, use invariant) provider = CreateProvider(arMA); sc = provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.Equal(Path.Combine(Path.GetDirectoryName(sc.PrimaryModule.FullPath), @"a.xml"), sc.DocumentationFile.FullPath); Assert.Equal("Invariant", File.ReadAllText(sc.DocumentationFile.FullPath)); // no culture: provider = CreateProvider(null); sc = provider.GetMetadataShadowCopy(dll.Path, MetadataImageKind.Assembly); Assert.Null(sc.DocumentationFile); } } }
apache-2.0
BRL-CAD/web
wiki/languages/messages/MessagesTe.php
376813
<?php /** Telugu (తెలుగు) * * See MessagesQqq.php for message documentation incl. usage of parameters * To improve a translation please visit http://translatewiki.net * * @ingroup Language * @file * * @author Arjunaraoc * @author Chaduvari * @author Jprmvnvijay5 * @author Kaganer * @author Kiranmayee * @author Malkum * @author Meno25 * @author Mpradeep * @author Praveen Illa * @author Ravichandra * @author Sunil Mohan * @author The Evil IP address * @author Urhixidur * @author Veeven * @author Ævar Arnfjörð Bjarmason <[email protected]> * @author לערי ריינהארט * @author రహ్మానుద్దీన్ * @author రాకేశ్వర * @author వైజాసత్య */ $namespaceNames = array( NS_MEDIA => 'మీడియా', NS_SPECIAL => 'ప్రత్యేక', NS_TALK => 'చర్చ', NS_USER => 'వాడుకరి', NS_USER_TALK => 'వాడుకరి_చర్చ', NS_PROJECT_TALK => '$1_చర్చ', NS_FILE => 'దస్త్రం', NS_FILE_TALK => 'దస్త్రంపై_చర్చ', NS_MEDIAWIKI => 'మీడియావికీ', NS_MEDIAWIKI_TALK => 'మీడియావికీ_చర్చ', NS_TEMPLATE => 'మూస', NS_TEMPLATE_TALK => 'మూస_చర్చ', NS_HELP => 'సహాయం', NS_HELP_TALK => 'సహాయం_చర్చ', NS_CATEGORY => 'వర్గం', NS_CATEGORY_TALK => 'వర్గం_చర్చ', ); $namespaceAliases = array( 'సభ్యులు' => NS_USER, 'సభ్యులపై_చర్చ' => NS_USER_TALK, 'సభ్యుడు' => NS_USER, # set for bug 11615 'సభ్యునిపై_చర్చ' => NS_USER_TALK, 'బొమ్మ' => NS_FILE, 'బొమ్మపై_చర్చ' => NS_FILE_TALK, 'ఫైలు' => NS_FILE, 'ఫైలుపై_చర్చ' => NS_FILE_TALK, 'సహాయము' => NS_HELP, 'సహాయము_చర్చ' => NS_HELP_TALK, ); $specialPageAliases = array( 'Allmessages' => array( 'అన్నిసందేశాలు' ), 'Allpages' => array( 'అన్నిపేజీలు' ), 'Ancientpages' => array( 'పురాతనపేజీలు' ), 'Blankpage' => array( 'ఖాళీపేజి' ), 'Block' => array( 'అడ్డగించు', 'ఐపినిఅడ్డగించు', 'వాడుకరినిఅడ్డగించు' ), 'Blockme' => array( 'నన్నుఅడ్డగించు' ), 'Booksources' => array( 'పుస్తకమూలాలు' ), 'BrokenRedirects' => array( 'తెగిపోయినదారిమార్పులు' ), 'Categories' => array( 'వర్గాలు' ), 'ChangePassword' => array( 'సంకేతపదముమార్చు' ), 'Confirmemail' => array( 'ఈమెయిలుధ్రువపరచు' ), 'CreateAccount' => array( 'ఖాతాసృష్టించు' ), 'Deadendpages' => array( 'అగాధపేజీలు' ), 'Disambiguations' => array( 'అయోమయనివృత్తి' ), 'DoubleRedirects' => array( 'రెండుసార్లుదారిమార్పు' ), 'Emailuser' => array( 'వాడుకరికిఈమెయిలుచెయ్యి' ), 'Export' => array( 'ఎగుమతి' ), 'Fewestrevisions' => array( 'అతితక్కువకూర్పులు' ), 'Import' => array( 'దిగుమతి' ), 'Listfiles' => array( 'ఫైళ్లజాబితా', 'బొమ్మలజాబితా' ), 'Listgrouprights' => array( 'గుంపుహక్కులజాబితా', 'వాడుకరులగుంపుహక్కులు' ), 'Listusers' => array( 'వాడుకరులజాబితా' ), 'Log' => array( 'చిట్టా', 'చిట్టాలు' ), 'Lonelypages' => array( 'ఒంటరిపేజీలు', 'అనాధపేజీలు' ), 'Longpages' => array( 'పొడుగుపేజీలు' ), 'MergeHistory' => array( 'చరిత్రనువిలీనంచేయి' ), 'Mostcategories' => array( 'ఎక్కువవర్గములు' ), 'Mostrevisions' => array( 'ఎక్కువకూర్పులు' ), 'Movepage' => array( 'వ్యాసమునుతరలించు' ), 'Mycontributions' => array( 'నా_మార్పులు-చేర్పులు' ), 'Mypage' => array( 'నాపేజీ' ), 'Mytalk' => array( 'నాచర్చ' ), 'Newimages' => array( 'కొత్తఫైళ్లు', 'కొత్తబొమ్మలు' ), 'Newpages' => array( 'కొత్తపేజీలు' ), 'Popularpages' => array( 'ప్రాచుర్యంపొందినపేజీలు' ), 'Preferences' => array( 'అభిరుచులు' ), 'Protectedpages' => array( 'సంరక్షితపేజీలు' ), 'Randompage' => array( 'యాదృచ్చికపేజీ' ), 'Randomredirect' => array( 'యాదుచ్చికదారిమార్పు' ), 'Recentchanges' => array( 'ఇటీవలిమార్పులు' ), 'Recentchangeslinked' => array( 'చివరిమార్పులలింకులు', 'సంబంధితమార్పులు' ), 'Revisiondelete' => array( 'కూర్పుతొలగించు' ), 'Search' => array( 'అన్వేషణ' ), 'Shortpages' => array( 'చిన్నపేజీలు' ), 'Specialpages' => array( 'ప్రత్యేకపేజీలు' ), 'Statistics' => array( 'గణాంకాలు' ), 'Uncategorizedcategories' => array( 'వర్గీకరించనివర్గములు' ), 'Uncategorizedimages' => array( 'వర్గీకరించనిఫైళ్లు', 'వర్గీకరించనిబొమ్మలు' ), 'Uncategorizedpages' => array( 'వర్గీకరించనిపేజీలు' ), 'Uncategorizedtemplates' => array( 'వర్గీకరించనిమూసలు' ), 'Unusedcategories' => array( 'వాడనివర్గములు' ), 'Unusedimages' => array( 'వాడనిఫైళ్లు', 'వాడనిబొమ్మలు' ), 'Unusedtemplates' => array( 'వాడనిమూసలు' ), 'Unwatchedpages' => array( 'వీక్షించనిపేజీలు' ), 'Upload' => array( 'ఎక్కింపు' ), 'Userlogin' => array( 'వాడుకరిప్రవేశం' ), 'Userlogout' => array( 'వాడుకరినిష్క్రమణ' ), 'Userrights' => array( 'వాడుకరిహక్కులు' ), 'Version' => array( 'కూర్పు' ), 'Wantedcategories' => array( 'కోరినవర్గాలు' ), 'Wantedfiles' => array( 'అవసరమైనఫైళ్లు' ), 'Wantedpages' => array( 'అవసరమైనపేజీలు', 'విరిగిపోయినలింకులు' ), 'Wantedtemplates' => array( 'అవసరమైననమూనాలు' ), 'Watchlist' => array( 'వీక్షణజాబితా' ), 'Whatlinkshere' => array( 'ఇక్కడికిలింకున్నపేజీలు' ), 'Withoutinterwiki' => array( 'అంతరవికీలేకుండా' ), ); $magicWords = array( 'redirect' => array( '0', '#దారిమార్పు', '#REDIRECT' ), 'notoc' => array( '0', '__విషయసూచికవద్దు__', '__NOTOC__' ), 'toc' => array( '0', '__విషయసూచిక__', '__TOC__' ), 'pagename' => array( '1', 'పేజీపేరు', 'PAGENAME' ), 'img_right' => array( '1', 'కుడి', 'right' ), 'img_left' => array( '1', 'ఎడమ', 'left' ), 'special' => array( '0', 'ప్రత్యేక', 'special' ), ); $linkTrail = "/^([\xE0\xB0\x81-\xE0\xB1\xAF]+)(.*)$/sDu"; $digitGroupingPattern = "##,##,###"; $messages = array( # User preference toggles 'tog-underline' => 'లంకె క్రీగీత:', 'tog-justify' => 'పేరాలను ఇరు పక్కలా సమానంగా సర్దు', 'tog-hideminor' => 'ఇటీవలి మార్పులలో చిన్న మార్పులను దాచిపెట్టు', 'tog-hidepatrolled' => 'ఇటీవలి మార్పులలో నిఘా ఉన్న మార్పులను దాచిపెట్టు', 'tog-newpageshidepatrolled' => 'కొత్త పేజీల జాబితా నుంచి నిఘా ఉన్న పేజీలను దాచిపెట్టు', 'tog-extendwatchlist' => 'కేవలం ఇటీవలి మార్పులే కాక, మార్పులన్నీ చూపించటానికి నా వీక్షణా జాబితాను పెద్దది చేయి', 'tog-usenewrc' => 'ఇటీవలి మార్పులు మరియు విక్షణ జాబితాలలో మార్పులను పేజీ వారిగా చూపించు (జావాస్క్రిప్టు అవసరం)', 'tog-numberheadings' => 'శీర్షికలకు ఆటోమాటిక్‌గా వరుస సంఖ్యలు పెట్టు', 'tog-showtoolbar' => 'దిద్దుబాట్లు చేసేటప్పుడు, అందుకు సహాయపడే పరికరాలపెట్టెను చూపించు (జావాస్క్రిప్టు)', 'tog-editondblclick' => 'డబుల్‌ క్లిక్కు చేసినప్పుడు పేజీని మార్చు (జావాస్క్రిప్టు)', 'tog-editsection' => '[మార్చు] లింకు ద్వారా విభాగం మార్పు కావాలి', 'tog-editsectiononrightclick' => 'విభాగం పేరు మీద కుడి క్లిక్కుతో విభాగం మార్పు కావాలి (జావాస్క్రిప్టు)', 'tog-showtoc' => 'విషయసూచిక చూపించు (3 కంటే ఎక్కువ శీర్షికలున్న పేజీలకు)', 'tog-rememberpassword' => 'ఈ విహారిణిలో నా ప్రవేశాన్ని గుర్తుంచుకో (గరిష్ఠంగా $1 {{PLURAL:$1|రోజు|రోజుల}}కి)', 'tog-watchcreations' => 'నేను సృష్టించే పేజీలను మరియు దస్త్రాలను నా వీక్షణ జాబితాకు చేర్చు', 'tog-watchdefault' => 'నేను మార్చే పేజీలను మరియు దస్త్రాలను నా వీక్షణ జాబితాకు చేర్చు', 'tog-watchmoves' => 'నేను తరలించిన పేజీలను దస్త్రాలను నా వీక్షణ జాబితాకు చేర్చు', 'tog-watchdeletion' => 'నేను తొలగించిన పేజీలను దస్త్రాలను నా వీక్షణ జాబితాకు చేర్చు', 'tog-minordefault' => 'ప్రత్యేకంగా తెలుపనంతవరకూ నా మార్పులను చిన్న మార్పులుగా గుర్తించు', 'tog-previewontop' => 'వ్యాసం మార్పుల తరువాత ఎలావుంటుందో మార్పుల‌ బాక్సుకు పైన చూపు', 'tog-previewonfirst' => 'దిద్దిబాట్లు చేసిన వ్యాసాన్ని భద్రపరిచే ముందు ఎలా వుంటుందో ఒకసారి చూపించు', 'tog-nocache' => 'విహారిణిలో పుటల కాషింగుని అచేతనంచేయి', 'tog-enotifwatchlistpages' => 'నా వీక్షణాజాబితా లోని పేజీ లేదా దస్త్రం మారినపుడు నాకు ఈ-మెయిలు పంపించు', 'tog-enotifusertalkpages' => 'నా చర్చా పేజీలో మార్పులు జరిగినపుడు నాకు ఈ-మెయిలు పంపించు', 'tog-enotifminoredits' => 'పేజీలు మరియు దస్త్రాలకు జరిగే చిన్న మార్పులకు కూడా నాకు ఈ-మెయిలును పంపించు', 'tog-enotifrevealaddr' => 'గమనింపు మెయిళ్ళలో నా ఈ-మెయిలు చిరునామాను చూపించు', 'tog-shownumberswatching' => 'వీక్షకుల సంఖ్యను చూపించు', 'tog-oldsig' => 'ప్రస్తుత సంతకం:', 'tog-fancysig' => 'సంతకాన్ని వికీపాఠ్యంగా తీసుకో (ఆటోమెటిక్‌ లింకు లేకుండా)', 'tog-uselivepreview' => 'రాస్తున్నదానిని ఎప్పటికప్పుడు సరిచూడండి (జావాస్క్రిప్టు) (పరీక్షాదశలో ఉంది)', 'tog-forceeditsummary' => 'దిద్దుబాటు సారాంశం ఖాళీగా ఉంటే ఆ విషయాన్ని నాకు సూచించు', 'tog-watchlisthideown' => 'నా మార్పులను వీక్షణా జాబితాలో చూపించొద్దు', 'tog-watchlisthidebots' => 'బాట్లు చేసిన మార్పులను నా వీక్షణా జాబితాలో చూపించొద్దు', 'tog-watchlisthideminor' => 'చిన్న మార్పులను నా వీక్షణా జాబితాలో చూపించొద్దు', 'tog-watchlisthideliu' => 'ప్రవేశించిన వాడుకరుల మార్పులను వీక్షణా జాబితాలో చూపించకు', 'tog-watchlisthideanons' => 'అజ్ఞాత వాడుకరుల మార్పులను విక్షణా జాబితాలో చూపించకు', 'tog-watchlisthidepatrolled' => 'నిఘా ఉన్న మార్పులను వీక్షణజాబితా నుంచి దాచిపెట్టు', 'tog-ccmeonemails' => 'నేను ఇతర వాడుకరులకు పంపించే ఈ-మెయిళ్ల కాపీలను నాకు కూడా పంపు', 'tog-diffonly' => 'తేడాలను చూపిస్తున్నపుడు, కింద చూపించే పేజీలోని సమాచారాన్ని చూపించొద్దు', 'tog-showhiddencats' => 'దాచిన వర్గాలను చూపించు', 'tog-norollbackdiff' => 'రద్దు చేసాక తేడాలు చూపించవద్దు', 'tog-useeditwarning' => 'ఏదైనా పేజీని నేను వదిలివెళ్తున్నప్పుడు దానిలో భద్రపరచని మార్పులు ఉంటే నన్ను హెచ్చరించు', 'underline-always' => 'ఎల్లప్పుడూ', 'underline-never' => 'ఎప్పటికీ వద్దు', 'underline-default' => 'అలంకారపు లేదా విహారిణి అప్రమేయం', # Font style option in Special:Preferences 'editfont-style' => 'దిద్దుబాటు పెట్టె ఫాంటు శైలి:', 'editfont-default' => 'విహరిణి అప్రమేయం', 'editfont-monospace' => 'మోనోస్పేసుడ్ ఫాంట్', 'editfont-sansserif' => 'సాన్స్-సెరిఫ్ ఫాంటు', 'editfont-serif' => 'సెరిఫ్ ఫాంటు', # Dates 'sunday' => 'ఆదివారం', 'monday' => 'సోమవారం', 'tuesday' => 'మంగళవారం', 'wednesday' => 'బుధవారం', 'thursday' => 'గురువారం', 'friday' => 'శుక్రవారం', 'saturday' => 'శనివారం', 'sun' => 'ఆది', 'mon' => 'సోమ', 'tue' => 'మంగళ', 'wed' => 'బుధ', 'thu' => 'గురు', 'fri' => 'శుక్ర', 'sat' => 'శని', 'january' => 'జనవరి', 'february' => 'ఫిబ్రవరి', 'march' => 'మార్చి', 'april' => 'ఏప్రిల్', 'may_long' => 'మే', 'june' => 'జూన్', 'july' => 'జూలై', 'august' => 'ఆగష్టు', 'september' => 'సెప్టెంబరు', 'october' => 'అక్టోబరు', 'november' => 'నవంబరు', 'december' => 'డిసెంబరు', 'january-gen' => 'జనవరి', 'february-gen' => 'ఫిబ్రవరి', 'march-gen' => 'మార్చి', 'april-gen' => 'ఏప్రిల్', 'may-gen' => 'మే', 'june-gen' => 'జూన్', 'july-gen' => 'జూలై', 'august-gen' => 'ఆగష్టు', 'september-gen' => 'సెప్టెంబరు', 'october-gen' => 'అక్టోబరు', 'november-gen' => 'నవంబరు', 'december-gen' => 'డిసెంబరు', 'jan' => 'జన', 'feb' => 'ఫిబ్ర', 'mar' => 'మార్చి', 'apr' => 'ఏప్రి', 'may' => 'మే', 'jun' => 'జూన్', 'jul' => 'జూలై', 'aug' => 'ఆగ', 'sep' => 'సెప్టెం', 'oct' => 'అక్టో', 'nov' => 'నవం', 'dec' => 'డిసెం', 'january-date' => 'జనవరి $1', 'february-date' => 'ఫిబ్రవరి $1', 'march-date' => 'మార్చి $1', 'april-date' => 'ఏప్రిల్ $1', 'may-date' => 'మే $1', 'june-date' => 'జూన్ $1', 'july-date' => 'జూలై $1', 'august-date' => 'ఆగస్టు $1', 'september-date' => 'సెప్టెంబర్ $1', 'october-date' => 'అక్టోబర్ $1', 'november-date' => 'నవంబర్ $1', 'december-date' => 'డిసెంబర్ $1', # Categories related messages 'pagecategories' => '{{PLURAL:$1|వర్గం|వర్గాలు}}', 'category_header' => '"$1" వర్గంలోని పుటలు', 'subcategories' => 'ఉపవర్గాలు', 'category-media-header' => '"$1" వర్గంలో ఉన్న మీడియా ఫైళ్లు', 'category-empty' => "''ప్రస్తుతం ఈ వర్గంలో ఎలాంటి పేజీలుగానీ మీడియా ఫైళ్లుగానీ లేవు.''", 'hidden-categories' => '{{PLURAL:$1|దాచిన వర్గం|దాచిన వర్గాలు}}', 'hidden-category-category' => 'దాచిన వర్గాలు', 'category-subcat-count' => '{{PLURAL:$2|ఈ వర్గంలో క్రింద చూపిస్తున్న ఒకే ఉపవర్గం ఉంది.|ఈ వర్గంలో ఉన్న మొత్తం $2 వర్గాలలో ప్రస్తుతం {{PLURAL:$1|ఒక ఉపవర్గాన్ని|$1 ఉపవర్గాలను}} చూపిస్తున్నాము.}}', 'category-subcat-count-limited' => 'ఈ వర్గం క్రింద చూపిస్తున్న {{PLURAL:$1|ఒక ఉపవర్గం ఉంది|$1 ఉపవర్గాలు ఉన్నాయి}}.', 'category-article-count' => '{{PLURAL:$2|ఈ వర్గంలో క్రింద చూపిస్తున్న ఒకే పేజీ ఉంది.|ఈ వర్గంలో ఉన్న మొత్తం $2 పేజీలలో ప్రస్తుతం {{PLURAL:$1|ఒక పేజీని|$1 పేజీలను}} చూపిస్తున్నాము.}}', 'category-article-count-limited' => 'ఈ వర్గం క్రింద చూపిస్తున్న {{PLURAL:$1|ఒక పేజీ ఉంది|$1 పేజీలు ఉన్నాయి}}.', 'category-file-count' => '{{PLURAL:$2|ఈ వర్గంలో క్రింద చూపిస్తున్న ఒకే ఫైలు ఉంది.|ఈ వర్గంలో ఉన్న మొత్తం $2 పేజీలలో ప్రస్తుతం {{PLURAL:$1|ఒక ఫైలును|$1 ఫైళ్లను}} చూపిస్తున్నాము.}}', 'category-file-count-limited' => 'ఈ వర్గం క్రింద చూపిస్తున్న {{PLURAL:$1|ఒక ఫైలు ఉంది|$1 ఫైళ్లు ఉన్నాయి}}.', 'listingcontinuesabbrev' => '(కొనసాగింపు)', 'index-category' => 'సూచీకరించిన పేజీలు', 'noindex-category' => 'సూచీకరించని పేజీలు', 'broken-file-category' => 'తెగిపోయిన ఫైలులింకులు గల పేజీలు', 'about' => 'గురించి', 'article' => 'విషయపు పేజీ', 'newwindow' => '(కొత్త కిటికీలో వస్తుంది)', 'cancel' => 'రద్దు', 'moredotdotdot' => 'ఇంకా...', 'morenotlisted' => 'ఈ జాబితా సంపూర్ణం కాదు.', 'mypage' => 'పుట', 'mytalk' => 'చర్చ', 'anontalk' => 'ఈ ఐ.పి.కి సంబంధించిన చర్చ', 'navigation' => 'మార్గదర్శకం', 'and' => '&#32;మరియు', # Cologne Blue skin 'qbfind' => 'వెతుకు', 'qbbrowse' => 'విహరించు', 'qbedit' => 'సవరించు', 'qbpageoptions' => 'ఈ పేజీ', 'qbmyoptions' => 'నా పేజీలు', 'qbspecialpages' => 'ప్రత్యేక పేజీలు', 'faq' => 'తరచూ అడిగే ప్రశ్నలు', 'faqpage' => 'Project:తరచూ అడిగే ప్రశ్నలు', # Vector skin 'vector-action-addsection' => 'విషయాన్ని చేర్చు', 'vector-action-delete' => 'తొలగించు', 'vector-action-move' => 'తరలించు', 'vector-action-protect' => 'సంరక్షించు', 'vector-action-undelete' => 'తిరిగి చేర్చు', 'vector-action-unprotect' => 'సంరక్షణను మార్చు', 'vector-simplesearch-preference' => 'సరళమైన వెతుకుడు పట్టీని చేతనంచేయి (వెక్టర్ అలంకారానికి మాత్రమే)', 'vector-view-create' => 'సృష్టించు', 'vector-view-edit' => 'సవరించు', 'vector-view-history' => 'చరిత్రను చూడండి', 'vector-view-view' => 'చదువు', 'vector-view-viewsource' => 'మూలాన్ని చూడండి', 'actions' => 'పనులు', 'namespaces' => 'పేరుబరులు', 'variants' => 'రకరకాలు', 'errorpagetitle' => 'పొరపాటు', 'returnto' => 'తిరిగి $1కి.', 'tagline' => '{{SITENAME}} నుండి', 'help' => 'సహాయం', 'search' => 'వెతుకు', 'searchbutton' => 'వెతుకు', 'go' => 'వెళ్లు', 'searcharticle' => 'వెళ్లు', 'history' => 'పేజీ చరిత్ర', 'history_short' => 'చరిత్ర', 'updatedmarker' => 'నేను కిందటిసారి వచ్చిన తరువాత జరిగిన మార్పులు', 'printableversion' => 'అచ్చుతీయదగ్గ కూర్పు', 'permalink' => 'శాశ్వత లంకె', 'print' => 'ముద్రించు', 'view' => 'చూచుట', 'edit' => 'సవరించు', 'create' => 'సృష్టించు', 'editthispage' => 'ఈ పేజీని సవరించండి', 'create-this-page' => 'ఈ పేజీని సృష్టించండి', 'delete' => 'తొలగించు', 'deletethispage' => 'ఈ పేజీని తొలగించండి', 'undelete_short' => '{{PLURAL:$1|ఒక్క రచనను|$1 రచనలను}} పునఃస్థాపించు', 'viewdeleted_short' => '{{PLURAL:$1|తొలగించిన ఒక మార్పు|$1 తొలగించిన మార్పుల}}ను చూడండి', 'protect' => 'సంరక్షించు', 'protect_change' => 'మార్చు', 'protectthispage' => 'ఈ పేజీని సంరక్షించు', 'unprotect' => 'సంరక్షణ మార్పు', 'unprotectthispage' => 'ఈ పుట సంరక్షణను మార్చండి', 'newpage' => 'కొత్త పేజీ', 'talkpage' => 'ఈ పేజీని చర్చించండి', 'talkpagelinktext' => 'చర్చ', 'specialpage' => 'ప్రత్యేక పేజీ', 'personaltools' => 'వ్యక్తిగత పనిముట్లు', 'postcomment' => 'కొత్త విభాగం', 'articlepage' => 'విషయపు పేజీని చూడండి', 'talk' => 'చర్చ', 'views' => 'చూపులు', 'toolbox' => 'పనిముట్ల పెట్టె', 'userpage' => 'వాడుకరి పేజీని చూడండి', 'projectpage' => 'ప్రాజెక్టు పేజీని చూడు', 'imagepage' => 'ఫైలు పేజీని చూడండి', 'mediawikipage' => 'సందేశం పేజీని చూడు', 'templatepage' => 'మూస పేజీని చూడు', 'viewhelppage' => 'సహాయం పేజీని చూడు', 'categorypage' => 'వర్గం పేజీని చూడు', 'viewtalkpage' => 'చర్చను చూడు', 'otherlanguages' => 'ఇతర భాషలలొ', 'redirectedfrom' => '($1 నుండి మళ్ళించబడింది)', 'redirectpagesub' => 'దారిమార్పు పుట', 'lastmodifiedat' => 'ఈ పేజీకి $2, $1న చివరి మార్పు జరిగినది.', 'viewcount' => 'ఈ పేజీ {{PLURAL:$1|ఒక్క సారి|$1 సార్లు}} దర్శించబడింది.', 'protectedpage' => 'సంరక్షణలోని పేజీ', 'jumpto' => 'ఇక్కడికి గెంతు:', 'jumptonavigation' => 'పేజీకి సంబంధించిన లింకులు', 'jumptosearch' => 'వెతుకు', 'view-pool-error' => 'క్షమించండి, ప్రస్తుతం సర్వర్లన్నీ ఓవర్‌లోడ్ అయిఉన్నాయి. చాలామంది వాడుకరులు ఈ పేజీని చూస్తున్నారు. ఈ పేజీని వీక్షించడానికి కొద్దిసేపు నిరీక్షించండి. $1', 'pool-timeout' => 'తాళం కొరకు వేచివుండడానికి కాలపరిమితి అయిపోయింది', 'pool-queuefull' => 'సమూహపు వరుస నిండుగా ఉంది', 'pool-errorunknown' => 'గుర్తుతెలియని పొరపాటు', # All link text and link target definitions of links into project namespace that get used by other message strings, with the exception of user group pages (see grouppage). 'aboutsite' => '{{SITENAME}} గురించి', 'aboutpage' => 'Project:గురించి', 'copyright' => 'విషయ సంగ్రహం $1 కి లోబడి లభ్యం.', 'copyrightpage' => '{{ns:project}}:ప్రచురణ హక్కులు', 'currentevents' => 'ఇప్పటి ముచ్చట్లు', 'currentevents-url' => 'Project:ఇప్పటి ముచ్చట్లు', 'disclaimers' => 'అస్వీకారములు', 'disclaimerpage' => 'Project:సాధారణ నిష్పూచీ', 'edithelp' => 'దిద్దుబాటు సహాయం', 'helppage' => 'Help:సూచిక', 'mainpage' => 'మొదటి పేజీ', 'mainpage-description' => 'తలపుట', 'policy-url' => 'Project:విధానం', 'portal' => 'సముదాయ పందిరి', 'portal-url' => 'Project:సముదాయ పందిరి', 'privacy' => 'గోప్యతా విధానం', 'privacypage' => 'Project:గోప్యతా విధానం', 'badaccess' => 'అనుమతి లోపం', 'badaccess-group0' => 'మీరు చేయతలపెట్టిన పనికి మీకు హక్కులు లేవు.', 'badaccess-groups' => 'మీరు చేయతలపెట్టిన పని ఈ {{PLURAL:$2|గుంపు|గుంపుల}} లోని వాడుకర్లకు మాత్రమే పరిమితం: $1.', 'versionrequired' => 'మీడియావికీ సాఫ్టువేరు వెర్షను $1 కావాలి', 'versionrequiredtext' => 'ఈ పేజీని వాడటానికి మీకు మీడియావికీ సాఫ్టువేరు వెర్షను $1 కావాలి. [[Special:Version|వెర్షను పేజీ]]ని చూడండి.', 'ok' => 'సరే', 'retrievedfrom' => '"$1" నుండి వెలికితీశారు', 'youhavenewmessages' => 'మీకు $1 ఉన్నాయి ($2).', 'newmessageslink' => 'కొత్త సందేశాలు', 'newmessagesdifflink' => 'చివరి మార్పు', 'youhavenewmessagesfromusers' => 'మీకు {{PLURAL:$3|మరో వాడుకరి|$3 వాడుకరుల}} నుండి $1 ($2).', 'youhavenewmessagesmanyusers' => 'మీకు చాలా వాడుకరుల నుండి $1 ($2).', 'newmessageslinkplural' => '{{PLURAL:$1|ఒక కొత్త సందేశం వచ్చింది|కొత్త సందేశాలు ఉన్నాయి}}', 'newmessagesdifflinkplural' => 'చివరి {{PLURAL:$1|మార్పు|మార్పులు}}', 'youhavenewmessagesmulti' => '$1లో మీకో సందేశం ఉంది', 'editsection' => 'మార్చు', 'editold' => 'సవరించు', 'viewsourceold' => 'మూలాన్ని చూడండి', 'editlink' => 'సవరించు', 'viewsourcelink' => 'మూలాన్ని చూడండి', 'editsectionhint' => 'విభాగాన్ని మార్చు: $1', 'toc' => 'విషయ సూచిక', 'showtoc' => 'చూపించు', 'hidetoc' => 'దాచు', 'collapsible-collapse' => 'కుదించు', 'collapsible-expand' => 'విస్తరించు', 'thisisdeleted' => '$1ను చూస్తారా, పునఃస్థాపిస్తారా?', 'viewdeleted' => '$1 చూస్తారా?', 'restorelink' => '{{PLURAL:$1|ఒక తొలగించిన మార్పు|$1 తొలగించిన మార్పులు}}', 'feedlinks' => 'ఫీడు:', 'feed-invalid' => 'మీరు కోరిన ఫీడు సరైన రకం కాదు.', 'feed-unavailable' => 'సిండికేషన్ ఫీడులేమీ అందుబాటులో లేవు.', 'site-rss-feed' => '$1 RSS ఫీడు', 'site-atom-feed' => '$1 ఆటమ్ ఫీడు', 'page-rss-feed' => '"$1" ఆరెసెస్సు(RSS) ఫీడు', 'page-atom-feed' => '"$1" ఆటమ్ ఫీడు', 'red-link-title' => '$1 (పుట లేదు)', 'sort-descending' => 'అవరోహణ క్రమంలో అమర్చు', 'sort-ascending' => 'ఆరోహణ క్రమంలో అమర్చు', # Short words for each namespace, by default used in the namespace tab in monobook 'nstab-main' => 'పేజీ', 'nstab-user' => 'వాడుకరి పేజీ', 'nstab-media' => 'మీడియా పేజీ', 'nstab-special' => 'ప్రత్యేక పేజీ', 'nstab-project' => 'ప్రాజెక్టు పేజీ', 'nstab-image' => 'దస్త్రం', 'nstab-mediawiki' => 'సందేశం', 'nstab-template' => 'మూస', 'nstab-help' => 'సహాయము', 'nstab-category' => 'వర్గం', # Main script and global functions 'nosuchaction' => 'అటువంటి కార్యం లేదు', 'nosuchactiontext' => 'మీరు URLలో పేర్కొన్న కార్యం సరైనది కాదు. మీరు URLని తప్పుగా టైపు చేసివుండవచ్చు లేదా తప్పుడు లింకుని అనుసరించివుండొచ్చు. {{SITENAME}} ఉపయోగించే మృదుపరికరంలో దోషమైనా అయివుండవచ్చు.', 'nosuchspecialpage' => 'అటువంటి ప్రత్యేక పేజీ లేదు', 'nospecialpagetext' => '<strong>మీరు అడిగిన ప్రత్యేకపేజీ సరైనది కాదు.</strong> సరైన ప్రత్యేకపేజీల జాబితా [[Special:SpecialPages|{{int:specialpages}}]] వద్ద ఉంది.', # General errors 'error' => 'లోపం', 'databaseerror' => 'డేటాబేసు లోపం', 'laggedslavemode' => 'హెచ్చరిక: పేజీలో ఇటీవల జరిగిన మార్పులు ఉండకపోవచ్చు.', 'readonly' => 'డేటాబేసు లాక్‌చెయ్యబడింది', 'enterlockreason' => 'డేటాబేసుకు వేయబోతున్న లాకుకు కారణం తెలుపండి, దానితోపాటే ఎంతసమయం తరువాత ఆ లాకు తీసేస్తారో కూడా తెలుపండి', 'readonlytext' => 'డేటాబేసు ప్రస్తుతం లాకు చేయబడింది. మార్పులు, చేర్పులు ప్రస్తుతం చెయ్యలేరు. మామూలుగా జరిగే నిర్వహణ కొరకు ఇది జరిగి ఉండవచ్చు; అది పూర్తి కాగానే తిరిగి మామూలుగా పనిచేస్తుంది. దీనిని లాకు చేసిన నిర్వాహకుడు ఇలా తెలియజేస్తున్నాడు: $1', 'missing-article' => '"$1" $2 అనే పేజీ పాఠ్యం డేటాబేసులో దొరకలేదు. కాలదోషం పట్టిన తేడా కోసం చూసినపుడుగానీ, తొలగించిన పేజీ చరితం కోసం చూసినపుడుగానీ ఇది సాధారణంగా జరుగుతుంది. ఒకవేళ అలా కాకపోతే, మీరో బగ్‌ను కనుక్కున్నట్టే. ఈ URLను సూచిస్తూ, దీన్ని ఓ [[Special:ListUsers/sysop|నిర్వాహకునికి]] తెలియజెయ్యండి.', 'missingarticle-rev' => '(కూర్పు#: $1)', 'missingarticle-diff' => '(తేడా: $1, $2)', 'readonly_lag' => 'అనుచర (స్లేవ్) డేటాబేసు సర్వర్లు, ప్రధాన (మాస్టరు) సర్వరును అందుకునేందుకుగాను, డేటాబేసు ఆటోమాటిక్‌గా లాకు అయింది.', 'internalerror' => 'అంతర్గత లోపం', 'internalerror_info' => 'అంతర్గత లోపం: $1', 'fileappenderrorread' => 'చేరుస్తున్నప్పుడు "$1"ని చదవలేకపోయాం.', 'fileappenderror' => '"$1" ని "$2" తో కూర్చలేకపోతున్నాం', 'filecopyerror' => 'ఫైలు "$1"ని "$2"కు కాపీ చెయ్యటం కుదరలేదు.', 'filerenameerror' => 'ఫైలు "$1" పేరును "$2"గా మార్చటం కుదరలేదు.', 'filedeleteerror' => 'ఫైలు "$1"ని తీసివేయటం కుదరలేదు.', 'directorycreateerror' => '"$1" అనే డైరెక్టరీని సృష్టించలేక పోతున్నాను.', 'filenotfound' => 'ఫైలు "$1" కనబడలేదు.', 'fileexistserror' => '"$1" అనే ఫైలు ఉంది, కాని అందులోకి రాయలేకపోతున్నాను', 'unexpected' => 'అనుకోని విలువ: "$1"="$2".', 'formerror' => 'లోపం: ఈ ఫారాన్ని పంపించలేకపోతున్నాను', 'badarticleerror' => 'ఈ పేజీపై ఈ పని చేయడం కుదరదు.', 'cannotdelete' => '"$1" అనే పేజీ లేదా ఫైలుని తొలగించలేకపోయాం. దాన్ని ఇప్పటికే ఎవరైనా తొలగించి ఉండవచ్చు.', 'cannotdelete-title' => '"$1" పుటను తొలగించలేరు', 'badtitle' => 'తప్పు శీర్షిక', 'badtitletext' => 'మీరు కోరిన పుట యొక్క పేరు చెల్లనిది, ఖాళీగా ఉంది, లేదా తప్పుగా ఇచ్చిన అంతర్వికీ లేదా అంతర-భాషా శీర్షిక అయివుండాలి. శీర్షికలలో ఉపయోగించకూడని అక్షరాలు దానిలో ఉండివుండొచ్చు.', 'perfcached' => 'కింది డేటా ముందే సేకరించి పెట్టుకున్నది. కాబట్టి తాజా డేటాతో పోలిస్తే తేడాలుండవచ్చు. A maximum of {{PLURAL:$1|one result is|$1 results are}} available in the cache.', 'perfcachedts' => 'కింది సమాచారం ముందే సేకరించి పెట్టుకున్నది. దీన్ని $1న చివరిసారిగా తాజాకరించారు. A maximum of {{PLURAL:$4|one result is|$4 results are}} available in the cache.', 'querypage-no-updates' => 'ప్రస్తుతం ఈ పుటకి తాజాకరణలని అచేతనం చేసారు. ఇక్కడున్న భోగట్టా కూడా తాజాకరించబడదు.', 'wrong_wfQuery_params' => 'wfQuery()కి తప్పుడు పారామీటర్లు వచ్చాయి<br /> ఫంక్షను: $1<br /> క్వీరీ: $2', 'viewsource' => 'మూలాన్ని చూపించు', 'viewsource-title' => '$1 యొక్క సోర్సు చూడండి', 'actionthrottled' => 'కార్యాన్ని ఆపేసారు', 'actionthrottledtext' => 'స్పామును తగ్గించటానికి తీసుకున్న నిర్ణయాల వల్ల, మీరు ఈ కార్యాన్ని అతి తక్కువ సమయంలో బోలెడన్ని సార్లు చేయకుండా అడ్డుకుంటున్నాము. కొన్ని నిమిషాలు ఆగి మరలా ప్రయత్నించండి.', 'protectedpagetext' => 'ఈ పేజీని మార్చకుండా ఉండేందుకు సంరక్షించారు.', 'viewsourcetext' => 'మీరీ పేజీ సోర్సును చూడవచ్చు, కాపీ చేసుకోవచ్చు:', 'viewyourtext' => "ఈ పేజీకి '''మీ మార్పుల''' యొక్క మూలాన్ని చూడవచ్చు లేదా కాపీచేసుకోవచ్చు:", 'protectedinterface' => 'సాఫ్టువేరు ఇంటరుఫేసుకు చెందిన టెక్స్టును ఈ పేజీ అందిస్తుంది. దుశ్చర్యల నివారణ కోసమై దీన్ని లాకు చేసాం.', 'editinginterface' => "'''హెచ్చరిక''': సాఫ్టువేరుకు ఇంటరుఫేసు టెక్స్టును అందించే పేజీని మీరు సరిదిద్దుతున్నారు. ఈ పేజీలో చేసే మార్పుల వల్ల ఇతర వాడుకరులకు ఇంటరుఫేసు కనబడే విధానంలో తేడావస్తుంది. అనువాదాల కొరకైతే, [//translatewiki.net/wiki/Main_Page?setlang=te ట్రాన్స్‌లేట్ వికీ.నెట్], మీడియావికీ స్థానికీకరణ ప్రాజెక్టు, ని వాడండి.", 'cascadeprotected' => 'కింది {{PLURAL:$1|పేజీని|పేజీలను}} కాస్కేడింగు ఆప్షనుతో చేసి సంరక్షించారు. ప్రస్తుత పేజీ, ఈ పేజీల్లో ఇంక్లూడు అయి ఉంది కాబట్టి, దిద్దుబాటు చేసే వీలు లేకుండా ఇది కూడా రక్షణలో ఉంది. $2', 'namespaceprotected' => "'''$1''' నేంస్పేసులో మార్పులు చేయటానికి మీకు అనుమతి లేదు.", 'ns-specialprotected' => 'ప్రత్యేక పేజీలపై దిద్దుబాట్లు చేయలేరు.', 'titleprotected' => "సభ్యులు [[User:$1|$1]] ఈ పేజీని సృష్టించనివ్వకుండా నిరోదిస్తున్నారు. అందుకు ఇచ్చిన కారణం: ''$2''.", 'exception-nologin' => 'లోనికి ప్రవేశించిలేరు', 'exception-nologin-text' => 'ఈ వికీలో ఈ పేజీ లేదా పనికి మీరు తప్పనిసరిగా ప్రవేశించివుండాలి.', # Virus scanner 'virus-badscanner' => "తప్పుడు స్వరూపణం: తెలియని వైరస్ స్కానర్: ''$1''", 'virus-scanfailed' => 'స్కాన్ విఫలమైంది (సంకేతం $1)', 'virus-unknownscanner' => 'అజ్ఞాత యాంటీవైరస్:', # Login and logout pages 'logouttext' => "'''ఇప్పుడు మీరు నిష్క్రమించారు.''' మీరు {{SITENAME}}ని అజ్ఞాతంగా వాడుతూండొచ్చు, లేదా ఇదే వాడుకరిగా కానీ లేదా వేరే వాడుకరిగా కానీ <span class='plainlinks'>[$1 మళ్ళీ ప్రవేశించవచ్చు]</span>. అయితే, మీ విహారిణిలోని కోశాన్ని శుభ్రపరిచే వరకు కొన్ని పేజీలు మీరింకా ప్రవేశించి ఉన్నట్లుగానే చూపించవచ్చని గమనించండి.", 'welcomeuser' => 'స్వాగతం, $1!', 'welcomecreation-msg' => 'మీ ఖాతాని సృష్టించాం. మీ [[Special:Preferences|{{SITENAME}} అభిరుచులను]] మార్చుకోవడం మరువకండి. తెలుగు వికీపీడియాలో తెలుగులోనే రాయాలి. వికీలో రచనలు చేసే ముందు, కింది సూచనలను గమనించండి. తెలుగు {{SITENAME}}లో తెలుగులోనే రాయాలి. వికీలో రచనలు చేసే ముందు, కింది సూచనలను గమనించండి. *వికీని త్వరగా అర్థం చేసుకునేందుకు [[వికీపీడియా:5 నిమిషాల్లో వికీ|5 నిమిషాల్లో వికీ]] పేజీని చూడండి. *తెలుగులో రాసేందుకు ఇంగ్లీషు అక్షరాల ఉచ్ఛారణతో తెలుగు టైపు చేసే [[వికీపీడియా:టైపింగు సహాయం| టైపింగ్ సహాయం]] వాడవచ్చు. మరిన్ని ఉపకరణాల కొరకు [[కీ బోర్డు]] మరియు తెరపై తెలుగు సరిగా లేకపోతే[[వికీపీడియా:Setting up your browser for Indic scripts|ఈ పేజీ]] చూడండి.', 'yourname' => 'వాడుకరి పేరు:', 'userlogin-yourname' => 'వాడుకరి పేరు', 'userlogin-yourname-ph' => 'మీ వాడుకరి పేరును ఇవ్వండి', 'yourpassword' => 'సంకేతపదం:', 'userlogin-yourpassword' => 'సంకేతపదం', 'userlogin-yourpassword-ph' => 'మీ సంకేతపదాన్ని ఇవ్వండి', 'createacct-yourpassword-ph' => 'సంకేతపదాన్ని ఇవ్వండి', 'yourpasswordagain' => 'సంకేతపదాన్ని మళ్ళీ ఇవ్వండి:', 'createacct-yourpasswordagain' => 'సంకేతపదాన్ని నిర్ధారించండి', 'createacct-yourpasswordagain-ph' => 'సంకేతపదాన్ని మళ్ళీ ఇవ్వండి', 'remembermypassword' => 'ఈ కంప్యూటరులో నా ప్రవేశాన్ని గుర్తుంచుకో (గరిష్ఠంగా $1 {{PLURAL:$1|రోజు|రోజుల}}కి)', 'userlogin-remembermypassword' => 'నన్ను ప్రవేశింపజేసి ఉంచు', 'yourdomainname' => 'మీ డోమైను', 'password-change-forbidden' => 'ఈ వికీలో మీరు సంకేతపదాలను మార్చలేరు.', 'externaldberror' => 'డేటాబేసు అధీకరణలో పొరపాటు జరిగింది లేదా మీ బయటి ఖాతాని తాజాకరించడానికి మీకు అనుమతి లేదు.', 'login' => 'లోనికి రండి', 'nav-login-createaccount' => 'లోనికి ప్రవేశించండి / ఖాతాని సృష్టించుకోండి', 'loginprompt' => '{{SITENAME}}లోకి ప్రవేశించాలంటే మీ విహారిణిలో కూకీలు చేతనమై ఉండాలి.', 'userlogin' => 'ప్రవేశించండి / ఖాతాను సృష్టించుకోండి', 'userloginnocreate' => 'ప్రవేశించండి', 'logout' => 'నిష్క్రమించు', 'userlogout' => 'నిష్క్రమించు', 'notloggedin' => 'లోనికి ప్రవేశించి లేరు', 'userlogin-noaccount' => 'మీకు ఖాతా లేదా?', 'userlogin-joinproject' => '{{SITENAME}}లో చేరండి', 'nologin' => 'ఖాతా లేదా? $1.', 'nologinlink' => 'ఖాతాని సృష్టించుకోండి', 'createaccount' => 'ఖాతాని సృష్టించు', 'gotaccount' => 'ఇప్పటికే మీకు ఖాతా ఉందా? $1.', 'gotaccountlink' => 'ప్రవేశించండి', 'userlogin-resetlink' => 'మీ ప్రవేశ వివరాలను మరచిపోయారా?', 'userlogin-resetpassword-link' => 'మీ దాటుమాటను మార్చుకోండి', 'helplogin-url' => 'Help:ప్రవేశించడం', 'userlogin-helplink' => '[[{{MediaWiki:helplogin-url}}|ప్రవేశించడానికి సహాయం]]', 'createacct-join' => 'మీ సమాచారాన్ని క్రింద ఇవ్వండి.', 'createacct-emailrequired' => 'ఈమెయిలు చిరునామా', 'createacct-emailoptional' => 'ఈమెయిలు చిరునామా (ఐచ్చికం)', 'createacct-email-ph' => 'మీ ఈమెయిలు చిరునామాను ఇవ్వండి', 'createaccountmail' => 'తాత్కాలిక యాదృచ్చిక సంకేతపదాన్ని వాడి దాన్ని ఈ క్రింద ఇచ్చిన ఈమెయిలు చిరునామాకు పంపించు', 'createacct-realname' => 'అసలు పేరు (ఐచ్చికం)', 'createaccountreason' => 'కారణం:', 'createacct-reason' => 'కారణం', 'createacct-reason-ph' => 'మీరు మరో ఖాతాను ఎందుకు సృష్టించుకుంటున్నారు', 'createacct-captcha' => 'భద్రతా తనిఖీ', 'createacct-imgcaptcha-ph' => 'పైన కనబడే మాటలను ఇక్కడ ఇవ్వండి', 'createacct-submit' => 'మీ ఖాతాను సృష్టించుకోండి', 'createacct-benefit-heading' => '{{SITENAME}}ను తయారుచేసేది మీలాంటి ప్రజలే.', 'createacct-benefit-body1' => '{{PLURAL:$1|మార్పు|మార్పులు}}', 'createacct-benefit-body2' => '{{PLURAL:$1|పేజీ|పేజీలు}}', 'badretype' => 'మీరు ఇచ్చిన రెండు సంకేతపదాలు ఒకదానితో మరొకటి సరిపోలడం లేదు.', 'userexists' => 'ఇచ్చిన వాడుకరిపేరు ఇప్పటికే వాడుకలో ఉంది. వేరే పేరును ఎంచుకోండి.', 'loginerror' => 'ప్రవేశంలో పొరపాటు', 'createacct-error' => 'పద్దు తెరవడములో తప్పు', 'createaccounterror' => 'ఖాతాని సృష్టించలేకపోయాం: $1', 'nocookiesnew' => 'ఖాతాని సృష్టించాం, కానీ మీరు ఇంకా లోనికి ప్రవేశించలేదు. వాడుకరుల ప్రవేశానికి {{SITENAME}} కూకీలను వాడుతుంది. మీరు కూకీలని అచేతనం చేసివున్నారు. దయచేసి వాటిని చేతనంచేసి, మీ కొత్త వాడుకరి పేరు మరియు సంకేతపదాలతో లోనికి ప్రవేశించండి.', 'nocookieslogin' => 'వాడుకరుల ప్రవేశానికై {{SITENAME}} కూకీలను వాడుతుంది. మీరు కుకీలని అచేతనం చేసివున్నారు. వాటిని చేతనంచేసి ప్రయత్నించండి.', 'nocookiesfornew' => 'మూలాన్ని కనుక్కోలేకపోయాం కాబట్టి, ఈ వాడుకరి ఖాతాను సృష్టించలేకపోయాం. మీ కంప్యూటర్లో కూకీలు చేతనమై ఉన్నాయని నిశ్చయించుకొని, ఈ పేజీని తిరిగి లోడు చేసి, మళ్ళీ ప్రయత్నించండి.', 'noname' => 'మీరు సరైన వాడుకరిపేరు ఇవ్వలేదు.', 'loginsuccesstitle' => 'ప్రవేశం విజయవంతమైనది', 'loginsuccess' => "'''మీరు ఇప్పుడు {{SITENAME}}లోనికి \"\$1\"గా ప్రవేశించారు.'''", 'nosuchuser' => '"$1" అనే పేరుతో వాడుకరులు లేరు. వాడుకరి పేర్లు కేస్ సెన్సిటివ్. అక్షరక్రమం సరిచూసుకోండి, లేదా [[Special:UserLogin/signup|కొత్త ఖాతా సృష్టించుకోండి]].', 'nosuchusershort' => '"$1" అనే పేరుతో సభ్యులు లేరు. పేరు సరి చూసుకోండి.', 'nouserspecified' => 'సభ్యనామాన్ని తప్పనిసరిగా ఎంచుకోవాలి.', 'login-userblocked' => 'ఈ వాడుకరిని నిరోధించారు. ప్రవేశానికి అనుమతి లేదు.', 'wrongpassword' => 'ఈ సంకేతపదం సరైనది కాదు. దయచేసి మళ్లీ ప్రయత్నించండి.', 'wrongpasswordempty' => 'ఖాళీ సంకేతపదం ఇచ్చారు. మళ్ళీ ప్రయత్నించండి.', 'passwordtooshort' => 'మీ సంకేతపదం కనీసం {{PLURAL:$1|1 అక్షరం|$1 అక్షరాల}} పొడవు ఉండాలి.', 'password-name-match' => 'మీ సంకేతపదం మీ వాడుకరిపేరుకి భిన్నంగా ఉండాలి.', 'password-login-forbidden' => 'ఈ వాడుకరిపేరు మరియు సంకేతపదాలను ఉపయోగించడం నిషిద్ధం.', 'mailmypassword' => 'కొత్త సంకేతపదాన్ని ఈ-మెయిల్లో పంపించు', 'passwordremindertitle' => '{{SITENAME}} కోసం కొత్త తాత్కాలిక సంకేతపదం', 'passwordremindertext' => '{{SITENAME}} ($4) లో కొత్త సంకేతపదం పంపించమని ఎవరో (బహుశ మీరే, ఐ.పీ. చిరునామా $1 నుండి) అడిగారు. వాడుకరి "$2" కొరకు "$3" అనే తాత్కాలిక సంకేతపదం సిద్ధంచేసి ఉంచాం. మీ ఉద్దేశం అదే అయితే, ఇప్పుడు మీరు సైటులోనికి ప్రవేశించి కొత్త సంకేతపదాన్ని ఎంచుకోవచ్చు. మీ తాత్కాలిక సంకేతపదం {{PLURAL:$5|ఒక రోజు|$5 రోజుల}}లో కాలంచెల్లుతుంది. ఒకవేళ ఈ అభ్యర్థన మీరుకాక మరెవరో చేసారనుకున్నా లేదా మీ సంకేతపదం మీకు గుర్తుకువచ్చి దాన్ని మార్చకూడదు అనుకుంటున్నా, ఈ సందేశాన్ని మర్చిపోయి మీ పాత సంకేతపదాన్ని వాడడం కొనసాగించవచ్చు.', 'noemail' => 'సభ్యులు "$1"కు ఈ-మెయిలు చిరునామా నమోదయి లేదు.', 'noemailcreate' => 'మీరు సరైన ఈమెయిల్ చిరునామాని ఇవ్వాలి', 'passwordsent' => '"$1" కొరకు నమోదైన ఈ-మెయిలు చిరునామాకి కొత్త సంకేతపదాన్ని పంపించాం. అది అందిన తర్వాత ప్రవేశించి చూడండి.', 'blocked-mailpassword' => 'దిద్దుబాట్లు చెయ్యకుండా ఈ ఐపీఅడ్రసును నిరోధించాం. అంచేత, దుశ్చర్యల నివారణ కోసం గాను, మరచిపోయిన సంకేతపదాన్ని పొందే అంశాన్ని అనుమతించము.', 'eauthentsent' => 'ఇచ్చిన ఈ-మెయిలు అడ్రసుకు ధృవీకరణ మెయిలు వెళ్ళింది. మరిన్ని మెయిళ్ళు పంపే ముందు, మీరు ఆ మెయిల్లో సూచించినట్లుగా చేసి, ఈ చిరునామా మీదేనని ధృవీకరించండి.', 'throttled-mailpassword' => 'గడచిన {{PLURAL:$1|ఒక గంటలో|$1 గంటల్లో}} ఇప్పటికే దాటుమాట మార్చినట్లుగా ఒక మెయిల్  పంపించివున్నాం. దుశ్చర్యలను నివారించేందుకు గాను, {{PLURAL:$1|ఒక గంటకి|$1 గంటలకి}} ఒక్కసారి మాత్రమే దాటుమాట మార్పు మెయిల్ పంపిస్తాము.', 'mailerror' => 'మెయిలు పంపించడంలో లోపం: $1', 'acct_creation_throttle_hit' => 'మీ ఐపీ చిరునామా వాడుతున్న ఈ వికీ సందర్శకులు గత ఒక్క రోజులో {{PLURAL:$1|1 ఖాతాని|$1 ఖాతాలను}} సృష్టించారు, ఈ కాల వ్యవధిలో అది గరిష్ఠ పరిమితి. అందువల్ల, ఈ ఐపీని వాడుతున్న సందర్శకులు ప్రస్తుతానికి ఇంక ఖాతాలని సృష్టించలేరు.', 'emailauthenticated' => 'మీ ఈ-మెయిలు చిరునామా $2న $3కి ధృవీకరింపబడింది.', 'emailnotauthenticated' => 'మీ ఈ-మెయిలు చిరునామాను ఇంకా ధృవీకరించలేదు. కాబట్టి కింద పేర్కొన్న అంశాలకు ఎటువంటి ఈ-మెయులునూ పంపించము.', 'noemailprefs' => 'కింది అంశాలు పని చెయ్యటానికి ఈ-మెయిలు చిరునామాను నమొదుచయ్యండి.', 'emailconfirmlink' => 'మీ ఈ-మెయిలు చిరునామాను ధృవీకరించండి', 'invalidemailaddress' => 'మీరు ఇచ్చిన ఈ-మెయిలు చిరునామా సరైన రీతిలో లేనందున అంగీకరించటంలేదు. దయచేసి ఈ-మెయిలు చిరునామాను సరైన రీతిలో ఇవ్వండి లేదా ఖాళీగా వదిలేయండి.', 'cannotchangeemail' => 'ఈ వికీలో ఖాతా ఈ-మెయిలు చిరునామాను మార్చుకోలేరు.', 'emaildisabled' => 'ఈ సైటు ఈమెయిళ్ళను పంపించలేదు.', 'accountcreated' => 'ఖాతాని సృష్టించాం', 'accountcreatedtext' => '$1 కి వాడుకరి ఖాతాని సృష్టించాం.', 'createaccount-title' => '{{SITENAME}} కోసం ఖాతా సృష్టి', 'createaccount-text' => '{{SITENAME}} ($4) లో ఎవరో మీ ఈమెయిలు చిరునామాకి "$2" అనే పేరుగల ఖాతాని "$3" అనే సంకేతపదంతో సృష్టించారు. మీరు లోనికి ప్రవేశించి మీ సంకేతపదాన్ని ఇప్పుడే మార్చుకోవాలి. ఈ ఖాతాని పొరపాటున సృష్టిస్తే గనక, ఈ సందేశాన్ని పట్టించుకోకండి.', 'usernamehasherror' => 'వాడుకరిపేరులో హాష్ అక్షరాలు ఉండకూడదు', 'login-throttled' => 'గత కొద్దిసేపటి నుండి మీరు చాలా ప్రవేశ ప్రయత్నాలు చేసారు. మళ్ళీ ప్రయత్నించే ముందు కాసేపు వేచివుండండి.', 'login-abort-generic' => 'మీ లాగిన్ ప్రయత్నం విఫలమైంది - ఆగిపోయింది', 'loginlanguagelabel' => 'భాష: $1', 'suspicious-userlogout' => 'సరిగా పనిచేయని విహారిణి లేదా కాషింగ్ ప్రాక్సీ వల్ల పంపబడడం చేత, నిష్క్రమించాలనే మీ అభ్యర్థనని నిరాకరించారు.', # Email sending 'php-mail-error-unknown' => 'PHP యొక్క mail() ఫంక్షన్‍లో ఏదో తెలియని లోపం దొర్లింది', 'user-mail-no-addy' => 'ఈ-మెయిలు చిరునామాని ఇవ్వకుండానే ఈ-మెయిలు పంపడానికి ప్రయత్నించారు.', # Change password dialog 'resetpass' => 'సంకేతపదాన్ని మార్చండి', 'resetpass_announce' => 'మీకు పంపిన తాత్కాలిక సంకేతంతో ప్రవేశించివున్నారు. ప్రవేశాన్ని పూర్తిచేసేందుకు, మీరు తప్పనిసరిగా ఇక్కడ కొత్త సంకేతపదాన్ని అమర్చుకోవాలి:', 'resetpass_header' => 'ఖాతా సంకేతపదం మార్పు', 'oldpassword' => 'పాత సంకేతపదం:', 'newpassword' => 'కొత్త సంకేతపదం:', 'retypenew' => 'సంకేతపదం, మళ్ళీ', 'resetpass_submit' => 'సంకేతపదాన్ని మార్చి లోనికి ప్రవేశించండి', 'changepassword-success' => 'మీ సంకేతపదాన్ని జయప్రదంగా మార్చాం! ఇక మిమ్మల్ని లోనికి ప్రవేశింపచేస్తున్నాం...', 'resetpass_forbidden' => 'సంకేతపదాలను మార్చటం కుదరదు', 'resetpass-no-info' => 'ఈ పేజీని నేరుగా చూడటానికి మీరు లోనికి ప్రవేశించివుండాలి.', 'resetpass-submit-loggedin' => 'సంకేతపదాన్ని మార్చు', 'resetpass-submit-cancel' => 'రద్దుచేయి', 'resetpass-wrong-oldpass' => 'తప్పుడు తాత్కాలిక లేదా ప్రస్తుత సంకేతపదం. మీరు మీ సంకేతపదాన్ని ఇప్పటికే విజయవంతంగా మార్చుకొనివుండవచ్చు లేదా కొత్త తాత్కాలిక సంకేతపదం కోసం అభ్యర్థించారు.', 'resetpass-temp-password' => 'తాత్కాలిక సంకేతపదం:', # Special:PasswordReset 'passwordreset' => 'సంకేతపదాన్ని మార్చుకోండి', 'passwordreset-legend' => 'సంకేతపదాన్ని మార్చుకోండి', 'passwordreset-disabled' => 'ఈ వికీలో సంకేతపదాల మార్పును అచేతనం చేసాం.', 'passwordreset-username' => 'వాడుకరి పేరు:', 'passwordreset-domain' => 'డొమైన్:', 'passwordreset-email' => 'ఈ-మెయిలు చిరునామా:', 'passwordreset-emailtitle' => '{{SITENAME}}లో ఖాతా వివరాలు', 'passwordreset-emailtext-ip' => 'ఎవరో (బహుశా మీరే, ఐపీ అడ్రసు $1 నుంచి) {{SITENAME}} ($4) లో మీ ఖాతా వివరాలను చెప్పమంటూ అడిగారు. కింది వాడుకరి {{PLURAL:$3|ఖాతా|ఖాతాలు}} ఈ ఈమెయిలు అడ్రసుతో అనుసంధింపబడి ఉన్నాయి: $2 {{PLURAL:$3|ఈ తాత్కాలిక సంకేతపదానికి|ఈ తాత్కాలిక సంకేతపదాలకు}} {{PLURAL:$5|ఒక్క రోజులో|$5 రోజుల్లో}} కాలం చెల్లుతుంది. ఇప్పుడు మీరు లాగినై కొత్త సంకేతపదాన్ని ఎంచుకోవాల్సి ఉంటుంది. ఈ అభ్యర్ధన చేసింది మరెవరైనా అయినా, లేక మీ అసలు సంకేతపదం మీకు గుర్తొచ్చి, మార్చాల్సిన అవసరం లేకపోయినా, మీరీ సందేశాన్ని పట్టించుకోనక్కర్లేదు. పాత సంకేతపదాన్నే వాడుతూ పోవచ్చు.', 'passwordreset-emailtext-user' => '{{SITENAME}} లోని వాడుకరి $1, {{SITENAME}} ($4) లోని మీ ఖాతా వివరాలను చెప్పమంటూ అడిగారు. కింది వాడుకరి {{PLURAL:$3|ఖాతా|ఖాతాలు}} ఈ ఈమెయిలు అడ్రసుతో అనుసంధింపబడి ఉన్నాయి: $2 {{PLURAL:$3|ఈ తాత్కాలిక సంకేతపదానికి|ఈ తాత్కాలిక సంకేతపదాలకు}} {{PLURAL:$5|ఒక్క రోజులో|$5 రోజుల్లో}} కాలం చెల్లుతుంది. ఇప్పుడు మీరు లాగినై కొత్త సంకేతపదాన్ని ఎంచుకోవాల్సి ఉంటుంది. ఈ అభ్యర్ధన చేసింది మరెవరైనా అయినా, లేక మీ అసలు సంకేతపదం మీకు గుర్తొచ్చి, మార్చాల్సిన అవసరం లేకపోయినా, మీరీ సందేశాన్ని పట్టించుకోనక్కర్లేదు. పాత సంకేతపదాన్నే వాడుతూ పోవచ్చు.', 'passwordreset-emailelement' => 'వాడుకరిపేరు: $1 తాత్కాలిక సంకేతపదం: $2', 'passwordreset-emailsent' => 'జ్ఞాపకం ఈమెయిలు పంపించాం.', 'passwordreset-emailsent-capture' => 'క్రింద చూపబడిన, గుర్తుచేయు సందేశమును పంపినాము.', # Special:ChangeEmail 'changeemail' => 'ఈ-మెయిలు చిరునామా మార్పు', 'changeemail-header' => 'ఖాతా ఈ-మెయిల్ చిరునామాని మార్చండి', 'changeemail-text' => 'మీ ఈమెయిలు చిరునామాని మార్చుకోడానికి ఈ ఫారాన్ని నింపండి. ఈ మార్పుని నిర్ధారించడానికి మీ సంకేతపదాన్ని ఇవ్వాల్సివస్తుంది.', 'changeemail-no-info' => 'ఈ పేజీని నేరుగా చూడటానికి మీరు లోనికి ప్రవేశించివుండాలి.', 'changeemail-oldemail' => 'ప్రస్తుత ఈ-మెయిలు చిరునామా:', 'changeemail-newemail' => 'కొత్త ఈ-మెయిలు చిరునామా:', 'changeemail-none' => '(ఏమీలేదు)', 'changeemail-password' => 'మీ {{SITENAME}} సంకేతపదం:', 'changeemail-submit' => 'ఈ-మెయిల్ మార్చు', 'changeemail-cancel' => 'రద్దుచేయి', # Edit page toolbar 'bold_sample' => 'బొద్దు అక్షరాలు', 'bold_tip' => 'బొద్దు అక్షరాలు', 'italic_sample' => 'వాలు పాఠ్యం', 'italic_tip' => 'వాలు పాఠ్యం', 'link_sample' => 'లింకు పేరు', 'link_tip' => 'అంతర్గత లింకు', 'extlink_sample' => 'http://www.example.com లింకు పేరు', 'extlink_tip' => 'బయటి లింకు (దీనికి ముందు http:// ఇవ్వటం మరువకండి)', 'headline_sample' => 'శీర్షిక పాఠ్యం', 'headline_tip' => '2వ స్థాయి శీర్షిక', 'nowiki_sample' => 'ఫార్మాటు చేయకూడని పాఠ్యాన్ని ఇక్కడ చేర్చండి', 'nowiki_tip' => 'వికీ ఫార్మాటును పట్టించుకోవద్దు', 'image_tip' => 'పొదిగిన ఫైలు', 'media_tip' => 'దస్త్రపు లంకె', 'sig_tip' => 'సమయంతో సహా మీ సంతకం', 'hr_tip' => 'అడ్డగీత (అరుదుగా వాడండి)', # Edit pages 'summary' => 'సారాంశం:', 'subject' => 'విషయం/శీర్షిక:', 'minoredit' => 'ఇది ఒక చిన్న మార్పు', 'watchthis' => 'ఈ పుట మీద కన్నేసి ఉంచు', 'savearticle' => 'పేజీని భద్రపరచు', 'preview' => 'మునుజూపు', 'showpreview' => 'మునుజూపు', 'showlivepreview' => 'తాజా మునుజూపు', 'showdiff' => 'తేడాలను చూపించు', 'anoneditwarning' => "'''హెచ్చరిక:''' మీరు లోనికి ప్రవేశించలేదు. ఈ పేజీ దిద్దుబాటు చరిత్రలో మీ ఐపీ చిరునామా నమోదవుతుంది.", 'anonpreviewwarning' => "''మీరు లోనికి ప్రవేశించలేదు. భద్రపరిస్తే ఈ పేజీ యొక్క దిద్దుబాటు చరిత్రలో మీ ఐపీ చిరునామా నమోదవుతుంది.''", 'missingsummary' => "'''గుర్తు చేస్తున్నాం:''' మీరు దిద్దుబాటు సారాంశమేమీ ఇవ్వలేదు. పేజీని మళ్ళీ భద్రపరచమని చెబితే సారాంశమేమీ లేకుండానే దిద్దుబాటును భద్రపరుస్తాం.", 'missingcommenttext' => 'కింద ఓ వ్యాఖ్య రాయండి.', 'missingcommentheader' => "'''గుర్తు చేస్తున్నాం''': ఈ వ్యాఖ్యకు మీరు విషయం/శీర్షిక పెట్టలేదు. \"{{int:savearticle}}\"ని మళ్ళీ నొక్కితే, మీ మార్పుకి విషయం/శీర్షిక ఏమీ లేకుండానే భద్రపరుస్తాం.", 'summary-preview' => 'మీరు రాసిన సారాంశం:', 'subject-preview' => 'విషయం/శీర్షిక మునుజూపు:', 'blockedtitle' => 'సభ్యునిపై నిరోధం అమలయింది', 'blockedtext' => "'''మీ వాడుకరి పేరుని లేదా ఐ.పీ. చిరునామాని నిరోధించారు.''' నిరోధించినది $1. అందుకు ఇచ్చిన కారణం: ''$2'' * నిరోధం మొదలైన సమయం: $8 * నిరోధించిన కాలం: $6 * నిరోధానికి గురైనవారు: $7 ఈ నిరోధంపై చర్చించేందుకు మీరు $1ను గాని, మరెవరైనా [[{{MediaWiki:Grouppage-sysop}}|నిర్వాహకులను]] గాని సంప్రదించవచ్చు. మీ [[Special:Preferences|ఖాతా అభిరుచులలో]] సరైన ఈ-మెయిలు చిరునామా ఇచ్చివుండకపోయినా లేదా మిమ్మల్ని 'ఈ వాడుకరికి ఈ-మెయిలు పంపు' సౌలభ్యాన్ని వాడుకోవడం నుండి నిరోధించివున్నా మీరు ఈమెయిలు ద్వారా సంప్రదించలేరు. మీ ప్రస్తుత ఐ.పీ. చిరునామా $3, మరియు నిరోధపు ID #$5. మీ సంప్రదింపులన్నిటిలోనూ వీటిని పేర్కొనండి.", 'autoblockedtext' => 'మీ ఐపీ చిరునామా ఆటోమాటిగ్గా నిరోధించబడింది. ఎందుకంటే ఇదే ఐపీ చిరునామాని ఓ నిరోధిత వాడుకరి ఉపయోగించారు. ఆ వాడుకరిని $1 నిరోధించారు. అందుకు ఇచ్చిన కారణం ఇదీ: :\'\'$2\'\' * నిరోధం మొదలైన సమయం: $8 * నిరోధించిన కాలం: $6 * ఉద్దేశించిన నిరోధిత వాడుకరి: $7 ఈ నిరోధం గురించి చర్చించేందుకు మీరు $1 ను గానీ, లేదా ఇతర [[{{MediaWiki:Grouppage-sysop}}|నిర్వాహకులను]] గానీ సంప్రదించండి. మీ [[Special:Preferences|అభిరుచులలో]] సరైన ఈమెయిలు ఐడీని ఇచ్చి ఉంటే తప్ప, మీరు "ఈ సభ్యునికి మెయిలు పంపు" అనే అంశాన్ని వాడజాలరని గమనించండి. ఆ సౌలభ్యాన్ని వాడటం నుండి మిమ్మల్ని నిరోధించలేదు. మీ ప్రస్తుత ఐపీ చిరునామా $3, మరియు నిరోధపు ఐడీ: $5. మీ సంప్రదింపులన్నిటిలోను అన్ని పై వివరాలను ఉదహరించండి.', 'blockednoreason' => 'కారణమేమీ ఇవ్వలేదు', 'whitelistedittext' => 'పుటలలో మార్పులు చెయ్యడానికి మీరు $1 ఉండాలి.', 'confirmedittext' => 'పేజీల్లో మార్పులు చేసేముందు మీ ఈ-మెయిలు చిరునామా ధృవీకరించాలి. [[Special:Preferences|మీ అభిరుచుల]]లో మీ ఈ-మెయిలు చిరునామా రాసి, ధృవీకరించండి.', 'nosuchsectiontitle' => 'విభాగాన్ని కనగొనలేకపోయాం', 'nosuchsectiontext' => 'మీరు లేని విభాగాన్ని మార్చడానికి ప్రయత్నించారు. మీరు పేజీని చూస్తూన్నప్పుడు దాన్ని ఎవరైనా తరలించి లేదా తొలగించి ఉండవచ్చు.', 'loginreqtitle' => 'ప్రవేశము తప్పనిసరి', 'loginreqlink' => 'లోనికి రండి', 'loginreqpagetext' => 'ఇతర పుటలను చూడడానికి మీరు $1 ఉండాలి.', 'accmailtitle' => 'సంకేతపదం పంపించబడింది.', 'accmailtext' => "[[User talk:$1|$1]] కొరకు ఒక యాదృచ్చిక సంకేతపదాన్ని $2కి పంపించాం. ఈ కొత్త ఖాతా యొక్క సంకేతపదాన్ని లోనికి ప్రవేశించిన తర్వాత ''[[Special:ChangePassword|సంకేతపదాన్ని మార్చుకోండి]]'' అన్న పేజీలో మార్చుకోవచ్చు.", 'newarticle' => '(కొత్తది)', 'newarticletext' => "ఈ లింకుకు సంబంధించిన పేజీ ఉనికిలొ లేదు. కింది పెట్టెలో మీ రచనను టైపు చేసి ఆ పేజీని సృష్టించండి (దీనిపై సమాచారం కొరకు [[{{MediaWiki:Helppage}}|సహాయం]] పేజీ చూడండి). మీరిక్కడికి పొరపాటున వచ్చి ఉంటే, మీ బ్రౌజరు '''back''' మీట నొక్కండి.", 'anontalkpagetext' => "----''ఇది ఒక అజ్ఞాత వాడుకరి చర్చా పేజీ. ఆ వాడుకరి ఇంకా తనకై ఖాతాను సృష్టించుకోలేదు, లేదా ఖాతా ఉన్నా దానిని ఉపయోగించడం లేదు. అజ్ఞాత వాడుకరులను గుర్తించడానికి అంకెలతో ఉండే ఐ.పీ. చిరునామాను వాడుతాం. కానీ, ఒకే ఐ.పీ. చిరునామాని చాలా మంది వాడుకరులు ఉపయోగించే అవకాశం ఉంది. మీరు అజ్ఞాత వాడుకరి అయితే మరియు సంబంధంలేని వ్యాఖ్యలు మిమ్మల్ని ఉద్దేశించినట్టుగా అనిపిస్తే, భవిష్యత్తులో ఇతర అజ్ఞాత వాడుకరులతో అయోమయం లేకుండా ఉండటానికి, దయచేసి [[Special:UserLogin/signup|ఖాతాను సృష్టించుకోండి]] లేదా [[Special:UserLogin|లోనికి ప్రవేశించండి]].''", 'noarticletext' => 'ప్రస్తుతం ఈ పేజీలో పాఠ్యమేమీ లేదు. వేరే పేజీలలో [[Special:Search/{{PAGENAME}}|ఈ పేజీ శీర్షిక కోసం వెతకవచ్చు]], <span class="plainlinks">[{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} సంబంధిత చిట్టాలు చూడవచ్చు], లేదా [{{fullurl:{{FULLPAGENAME}}|action=edit}} ఈ పేజీని మార్చవచ్చు]</span>.', 'noarticletext-nopermission' => 'ప్రస్తుతం ఈ పేజీలో పాఠ్యమేమీ లేదు. మీరు ఇతర పేజీలలో [[Special:Search/{{PAGENAME}}|ఈ పేజీ శీర్షిక కోసం వెతకవచ్చు]], లేదా <span class="plainlinks">[{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} సంబంధిత చిట్టాలలో వెతకవచ్చు]</span>, కానీ ఈ పేజీని సృష్టించడానికి మీకు అనుమతి లేదు.', 'userpage-userdoesnotexist' => '"<nowiki>$1</nowiki>" అనే వాడుకరి ఖాతా నమోదయిలేదు. మీరు ఈ పేజీని సృష్టించ/సరిదిద్దాలనుకుంటే, సరిచూసుకోండి.', 'userpage-userdoesnotexist-view' => 'వాడుకరి ఖాతా "$1" నమోదుకాలేదు.', 'blocked-notice-logextract' => 'ప్రస్తుతం ఈ వాడుకరిని నిరోధించారు. నిరోధపు చిట్టాలోని చివరి పద్దుని మీ సమాచారం కోసం ఈ క్రింద ఇస్తున్నాం:', 'clearyourcache' => "'''గమనిక - భద్రపరచిన తర్వాత, మార్పులను చూడడానికి మీ విహారిణి యొక్క కోశాన్ని తీసేయాల్సిరావచ్చు.''' '''మొజిల్లా/ ఫైర్‌ఫాక్స్‌ / సఫారి:''' ''Shift'' మీటని నొక్కిపట్టి ''రీలోడ్''ని నొక్కండి లేదా ''Ctrl-F5'' అనే మీటల్ని లేదా ''Ctrl-R'' (మాకింటోషులో ''Command-R'') అనే మీటల్ని కలిపి నొక్కండి; '''కాంకరర్: '''''రీలోడ్''ని నొక్కండి లేదా ''F5'' మీటని నొక్కండి; '''ఒపెరా:''' ''Tools → Preferences'' ద్వారా కోశాన్ని శుభ్రపరచండి; '''ఇంటర్నెట్ ఎక్ప్లోరర్:'''''Ctrl'' మీటని నొక్కిపట్టి ''రీఫ్రెష్''ని నొక్కండి లేదా ''Ctrl-F5'' మీటల్ని కలిపి నొక్కండి.", 'usercssyoucanpreview' => "'''చిట్కా:''' భద్రపరిచేముందు మీ కొత్త CSSని పరీక్షించడానికి \"{{int:showpreview}}\" అనే బొత్తాన్ని వాడండి.", 'userjsyoucanpreview' => "'''చిట్కా:''' భద్రపరిచేముందు మీ కొత్త జావాస్క్రిప్టుని పరీక్షించడానికి \"{{int:showpreview}}\" అనే బొత్తాన్ని వాడండి.", 'usercsspreview' => "'''మీరు వాడుకరి CSSను కేవలం సరిచూస్తున్నారని గుర్తుంచుకోండి.''' '''దాన్నింకా భద్రపరచలేదు!'''", 'userjspreview' => "'''గుర్తుంచుకోండి, మీరింకా మీ వాడుకరి జావాస్క్రిప్ట్&zwnj;ను భద్రపరచలేదు, కేవలం పరీక్షిస్తున్నారు/సరిచూస్తున్నారు!'''", 'sitecsspreview' => "'''మీరు చూస్తున్నది ఈ CSS మునుజూపును మాత్రమేనని గుర్తుంచుకోండి.''' '''దీన్నింకా భద్రపరచలేదు!'''", 'sitejspreview' => "'''మీరు చూస్తున్నది ఈ JavaScript మునుజూపును మాత్రమేనని గుర్తుంచుకోండి.''' '''దీన్నింకా భద్రపరచలేదు!'''", 'userinvalidcssjstitle' => "'''హెచ్చరిక:''' \"\$1\" అనే అలంకారం లేదు. అభిమత .css మరియు .js పుటల శీర్షికలు ఇంగ్లీషు చిన్నబడి అక్షరాల లోనే ఉండాలని గుర్తుంచుకోండి, ఉదాహరణకు ఇలా {{ns:user}}:Foo/vector.css అంతేగానీ, {{ns:user}}:Foo/Vector.css ఇలా కాదు.", 'updated' => '(నవీకరించబడింది)', 'note' => "'''గమనిక:'''", 'previewnote' => "'''ఇది మునుజూపు మాత్రమేనని గుర్తుంచుకోండి.''' మీ మార్పులు ఇంకా భద్రమవ్వలేదు!", 'continue-editing' => 'సరిదిద్దే చోటుకి వెళ్ళండి', 'previewconflict' => 'భద్రపరచిన తరువాత పై టెక్స్ట్‌ ఏరియాలోని టెక్స్టు ఇలాగ కనిపిస్తుంది.', 'session_fail_preview' => "'''క్షమించండి! సెషను డేటా పోవడం వలన మీ మార్పులను స్వీకరించలేకపోతున్నాం.''' దయచేసి మళ్ళీ ప్రయత్నించండి. అయినా పని జరక్కపోతే, ఓసారి [[Special:UserLogout|నిష్క్రమించి]] మళ్ళీ లోనికి ప్రవేశించి ప్రయత్నించండి.", 'session_fail_preview_html' => "'''సారీ! సెషను డేటా పోవడం వలన మీ దిద్దుబాటును ప్రాసెస్ చెయ్యలేలేక పోతున్నాం.''' ''{{SITENAME}}లో ముడి HTML సశక్తమై ఉంది కాబట్టి, జావాస్క్రిప్టు దాడుల నుండి రక్షణగా మునుజూపును దాచేశాం.'' '''మీరు చేసినది సరైన దిద్దుబాటే అయితే, మళ్ళీ ప్రయత్నించండి. అయినా పనిచెయ్యకపోతే, ఓ సారి లాగౌటయ్యి, మళ్ళీ లాగినయి చూడండి.'''", 'token_suffix_mismatch' => "'''మీ క్లయంటు, దిద్దుబాటు టోకెన్‌లోని వ్యాకరణ గుర్తులను గజిబిజి చేసింది కాబట్టి మీ దిద్దుబాటును తిరస్కరించాం. పేజీలోని పాఠ్యాన్ని చెడగొట్టకుండా ఉండేందుకు గాను, ఆ దిద్దుబాటును రద్దు చేశాం. వెబ్‌లో ఉండే లోపభూయిష్టమైన అజ్ఞాత ప్రాక్సీ సర్వీసులను వాడినపుడు ఒక్కోసారి ఇలా జరుగుతుంది.'''", 'edit_form_incomplete' => '’’’ఈ ఎడిట్ ఫారంలోని కొన్ని భాగాలు సర్వరును చేరలేదు; మీ మార్పుచేర్పులు భద్రంగా ఉన్నాయని ధృవపరచుకుని, మళ్ళీ ప్రయత్నించండి.’’’', 'editing' => '$1కి మార్పులు', 'creating' => '$1 పేజీని సృష్టిస్తున్నారు', 'editingsection' => '$1కు మార్పులు (విభాగం)', 'editingcomment' => '$1 దిద్దుబాటు (కొత్త విభాగం)', 'editconflict' => 'దిద్దుబాటు ఘర్షణ: $1', 'explainconflict' => "మీరు మార్పులు చెయ్యడం మొదలుపెట్టిన తరువాత, వేరే ఎవరో ఈ పుటని మార్పారు. పైన ఉన్న పాఠ్య పేటికలో ఈ పుట యొక్క ప్రస్తుతపు పాఠ్యం ఉంది. మీరు చేసిన మార్పులు క్రింది పాఠ్య పేటికలో చూపించబడ్డాయి. మీరు మీ మార్పులను ప్రస్తుతపు పాఠ్యంలో విలీనం చెయ్యవలసి ఉంటుంది. మీరు \"{{int:savearticle}}\"ను నొక్కినపుడు, పై పాఠ్య పేటికలో ఉన్న పాఠ్యం '''మాత్రమే''' భద్రపరచబడుతుంది.", 'yourtext' => 'మీ పాఠ్యం', 'storedversion' => 'భద్రపరచిన కూర్పు', 'nonunicodebrowser' => "'''WARNING: Your browser is not unicode compliant. A workaround is in place to allow you to safely edit pages: non-ASCII characters will appear in the edit box as hexadecimal codes.'''", 'editingold' => "'''హెచ్చ రిక: ఈ పేజీ యొక్క కాలం చెల్లిన సంచికను మీరు మరుస్తున్నారు. దీనిని భద్రపరిస్తే, ఆ సంచిక తరువాత ఈ పేజీలో జరిగిన మార్పులన్నీ పోతాయి.'''", 'yourdiff' => 'తేడాలు', 'copyrightwarning' => "{{SITENAME}}కు సమర్పించే అన్ని రచనలూ $2కు లోబడి ప్రచురింపబడినట్లుగా భావించబడతాయి (వివరాలకు $1 చూడండి). మీ రచనలను ఎవ్వరూ మార్చ రాదనీ లెదా వేరే ఎవ్వరూ వాడుకో రాదని మీరు భావిస్తే, ఇక్కడ ప్రచురించకండి.<br /> మీ స్వీయ రచనను గాని, సార్వజనీనమైన రచననుగాని, ఇతర ఉచిత వనరుల నుండి సేకరించిన రచననుగాని మాత్రమే ప్రచురిస్తున్నానని కూడా మీరు ప్రమాణం చేస్తున్నారు. '''కాపీహక్కులుగల రచనను తగిన అనుమతి లేకుండా సమర్పించకండి!'''", 'copyrightwarning2' => "{{SITENAME}}లో ప్రచురించే రచనలన్నిటినీ ఇతర రచయితలు సరిదిద్దడం, మార్చడం, తొలగించడం చేసే అవకాశం ఉంది. మీ రచనలను అలా నిర్దాక్షిణ్యంగా దిద్దుబాట్లు చెయ్యడం మీకిష్టం లేకపోతే, వాటిని ఇక్కడ ప్రచురించకండి. <br /> ఈ రచనను మీరే చేసారని, లేదా ఏదైనా సార్వజనిక వనరు నుండి కాపీ చేసి తెచ్చారని, లేదా అలాంటి ఉచిత, స్వేచ్ఛా వనరు నుండి తెచ్చారని మాకు వాగ్దానం చేస్తున్నారు. (వివరాలకు $1 చూడండి). '''తగు అనుమతులు లేకుండా కాపీ హక్కులు గల రచనలను సమర్పించకండి!'''", 'longpageerror' => "'''పొరపాటు: మీరు సమర్పించిన పాఠ్యం, గరిష్ఠ పరిమితి అయిన {{PLURAL:$2|ఒక కిలోబైటుని|$2 కిలోబైట్లను}} మించి {{PLURAL:$1|ఒక కిలోబైటు|$1 కిలోబైట్ల}} పొడవుంది.''' దీన్ని భద్రపరచలేము.", 'readonlywarning' => "'''హెచ్చరిక: నిర్వహణ కొరకు డేటాబేసుకి తాళం వేసారు, కాబట్టి మీ మార్పుచేర్పులను ఇప్పుడు భద్రపరచలేరు. మీ మార్పులను ఒక ఫాఠ్య ఫైలులోకి కాపీ చేసి భద్రపరచుకొని, తరువాత సమర్పించండి.''' తాళం వేసిన నిర్వాహకుడి వివరణ ఇదీ: $1", 'protectedpagewarning' => "'''హెచ్చరిక: ఈ పేజీ సంరక్షించబడినది, కనుక నిర్వాహక అనుమతులు ఉన్న వాడుకరులు మాత్రమే మార్చగలరు.''' చివరి చిట్టా పద్దుని మీ సమాచారం కోసం ఇక్కడ ఇస్తున్నాం:", 'semiprotectedpagewarning' => "'''గమనిక:''' నమోదయిన వాడుకరులు మాత్రమే మార్పులు చెయ్యగలిగేలా ఈ పేజీకి సంరక్షించారు. మీ సమాచారం కోసం చివరి చిట్టా పద్దుని ఇక్కడ ఇస్తున్నాం:", 'cascadeprotectedwarning' => "'''హెచ్చరిక:''' ఈ పేజీ, కాస్కేడింగు రక్షణలో ఉన్న కింది {{PLURAL:$1|పేజీ|పేజీల్లో}} ఇంక్లూడు అయి ఉంది కాబట్టి, నిర్వాహకులు తప్ప ఇతరులు దిద్దుబాటు చేసే వీలు లేకుండా పేజీని లాకు చేసాం:", 'titleprotectedwarning' => "హెచ్చరిక: ఈ పేజీని సంరక్షించారు కాబట్టి దీన్ని సృష్టించడానికి [[Special:ListGroupRights|ప్రత్యేక హక్కులు]] ఉండాలి.''' మీ సమాచారం కోసం చివరి చిట్టా పద్దుని ఇక్కడ ఇస్తున్నాం:", 'templatesused' => 'ఈ పేజీలో వాడిన {{PLURAL:$1|మూస|మూసలు}}:', 'templatesusedpreview' => 'ఈ మునుజూపులో వాడిన {{PLURAL:$1|మూస|మూసలు}}:', 'templatesusedsection' => 'ఈ విభాగంలో వాడిన {{PLURAL:$1|మూస|మూసలు}}:', 'template-protected' => '(సంరక్షితం)', 'template-semiprotected' => '(సెమీ-రక్షణలో ఉంది)', 'hiddencategories' => 'ఈ పేజీ {{PLURAL:$1|ఒక దాచిన వర్గంలో|$1 దాచిన వర్గాల్లో}} ఉంది:', 'nocreatetext' => '{{SITENAME}}లో కొత్త పేజీలు సృష్టించడాన్ని నియంత్రించారు. మీరు వెనక్కి వెళ్ళి వేరే పేజీలు మార్చవచ్చు, లేదా [[Special:UserLogin|లోనికి ప్రవేశించండి లేదా ఖాతా సృష్టించుకోండి]].', 'nocreate-loggedin' => 'కొత్త పేజీలను సృష్టించేందుకు మీకు అనుమతి లేదు.', 'sectioneditnotsupported-title' => 'విభాగపు దిద్దిబాట్లకి తొడ్పాటు లేదు', 'sectioneditnotsupported-text' => 'ఈ పేజీలో విభాగాల దిద్దుబాటుకి తోడ్పాటు లేదు.', 'permissionserrors' => 'అనుమతుల తప్పిదాలు', 'permissionserrorstext' => 'కింద పేర్కొన్న {{PLURAL:$1|కారణం|కారణాల}} మూలంగా, ఆ పని చెయ్యడానికి మీకు అనుమతిలేదు:', 'permissionserrorstext-withaction' => 'ఈ క్రింది {{PLURAL:$1|కారణం|కారణాల}} వల్ల, మీకు $2 అనుమతి లేదు:', 'recreate-moveddeleted-warn' => "'''హెచ్చరిక: ఇంతకు మునుపు ఒకసారి తొలగించిన పేజీని మళ్లీ సృష్టిద్దామని మీరు ప్రయత్నిస్తున్నారు.''' ఈ పేజీపై మార్పులు చేసేముందు, అవి ఇక్కడ ఉండతగినవేనా కాదా అని ఒకసారి ఆలోచించండి. మీ సౌలభ్యం కొరకు ఈ పేజీ యొక్క తొలగింపు మరియు తరలింపు చిట్టా ఇక్కడ ఇచ్చాము:", 'moveddeleted-notice' => 'ఈ పేజీని తొలగించారు. సమాచారం కొరకు ఈ పేజీ యొక్క తొలగింపు మరియు తరలింపు చిట్టాని క్రింద ఇచ్చాం.', 'log-fulllog' => 'పూర్తి చిట్టాని చూడండి', 'edit-hook-aborted' => 'కొక్కెం మార్పుని విచ్ఛిన్నం చేసింది. అది ఎటువంటి వివరణా ఇవ్వలేదు.', 'edit-gone-missing' => 'పేజీని మార్చలేము. దీన్ని తొలగించినట్టున్నారు.', 'edit-conflict' => 'మార్పు సంఘర్షణ.', 'edit-no-change' => 'పాఠ్యంలో ఏమీ మార్పులు లేవు గనక, మీ మార్పుని పట్టించుకోవట్లేదు.', 'postedit-confirmation' => 'మీ మార్పు భద్రమయ్యింది.', 'edit-already-exists' => 'కొత్త పేజీని సృష్టించలేము. అది ఇప్పటికే ఉంది.', 'defaultmessagetext' => 'అప్రమేయ సందేశపు పాఠ్యం', 'invalid-content-data' => 'తప్పుడు విషయం', 'editwarning-warning' => 'ఈ పేజీని వదిలివెళ్ళడం వల్ల మీరు చేసిన మార్పులను కోల్పోయే అవకాశం ఉంది. మీరు ప్రవేశించివుంటే, ఈ హెచ్చరికని మీ అభిరుచులలో "మరపులు" అనే విభాగంలో అచేతనం చేసుకోవచ్చు.', # Content models 'content-model-wikitext' => 'వికీపాఠ్యం', 'content-model-text' => 'సాదా పాఠ్యం', 'content-model-javascript' => 'జావాస్క్రిప్ట్', 'content-model-css' => 'CSS', # Parser/template warnings 'expensive-parserfunction-warning' => 'హెచ్చరిక: ఈ పేజీలో ఖరీదైన పార్సరు పిలుపులు చాలా ఉన్నాయి. పార్సరు {{PLURAL:$2|పిలుపు|పిలుపులు}} $2 కంటే తక్కువ ఉండాలి, ప్రస్తుతం {{PLURAL:$1|$1 పిలుపు ఉంది|$1 పిలుపులు ఉన్నాయి}}.', 'expensive-parserfunction-category' => 'పార్సరు సందేశాలు అధికంగా ఉన్న పేజీలు', 'post-expand-template-inclusion-warning' => "'''హెచ్చరిక''': మూస చేర్పు సైజు చాలా పెద్దదిగా ఉంది. కొన్ని మూసలను చేర్చలేదు.", 'post-expand-template-inclusion-category' => 'మూస చేర్పు సైజును అధిగమించిన పేజీలు', 'post-expand-template-argument-warning' => 'హెచ్చరిక: చాల పెద్ద సైజున్న మూస ఆర్గ్యుమెంటు, కనీసం ఒకటి, ఈ పేజీలో ఉంది. ఈ ఆర్గ్యుమెంట్లను వదలివేసాం.', 'post-expand-template-argument-category' => 'తొలగించిన మూస ఆర్గ్యుమెంట్లు ఉన్న పేజీలు', 'parser-template-loop-warning' => 'మూస లూపు కనబడింది: [[$1]]', 'parser-template-recursion-depth-warning' => 'మూస రికర్షను లోతు అధిగమించబడింది ($1)', 'language-converter-depth-warning' => 'భాషా మార్పిడి లోతు పరిమితిని అధిగమించారు ($1)', # "Undo" feature 'undo-success' => 'దిద్దుబాటును రద్దు చెయ్యవచ్చు. కింది పోలికను చూసి, మీరు చెయ్యదలచినది ఇదేనని నిర్ధారించుకోండి. ఆ తరువాత మార్పులను భద్రపరచి దిద్దుబాటు రద్దును పూర్తి చెయ్యండి.', 'undo-failure' => 'మధ్యలో జరిగిన దిద్దుబాట్లతో తలెత్తిన ఘర్షణ కారణంగా ఈ దిద్దుబాటును రద్దు చెయ్యలేక పోయాం.', 'undo-norev' => 'ఈ దిద్దుబాటును అసలు లేకపోవటం వలన, లేదా తొలగించేయడం వలన రద్దుచేయలేకపోతున్నాం.', 'undo-summary' => '[[Special:Contributions/$2|$2]] ([[User talk:$2|చర్చ]]) దిద్దుబాటు చేసిన కూర్పు $1 ను రద్దు చేసారు', # Account creation failure 'cantcreateaccounttitle' => 'ఈ ఖాతా తెరవలేము', 'cantcreateaccount-text' => "ఈ ఐపీ అడ్రసు ('''$1''') నుండి ఖాతా సృష్టించడాన్ని [[User:$3|$3]] నిరోధించారు. $3 చెప్పిన కారణం: ''$2''", # History pages 'viewpagelogs' => 'ఈ పేజీకి సంబంధించిన లాగ్‌లను చూడండి', 'nohistory' => 'ఈ పేజీకి మార్పుల చరిత్ర లేదు.', 'currentrev' => 'ప్రస్తుతపు సంచిక', 'currentrev-asof' => '$1 నాటి ప్రస్తుత కూర్పు', 'revisionasof' => '$1 నాటి సంచిక', 'revision-info' => '$1 నాటి కూర్పు. రచయిత: $2', 'previousrevision' => '← పాత కూర్పు', 'nextrevision' => 'దీని తరువాతి సంచిక→', 'currentrevisionlink' => 'ప్రస్తుతపు సంచిక', 'cur' => 'ప్రస్తుత', 'next' => 'తర్వాతి', 'last' => 'గత', 'page_first' => 'మొదటి', 'page_last' => 'చివరి', 'histlegend' => 'తేడా ఎంపిక: సంచికల యొక్క రేడియో బాక్సులను ఎంచుకొని ఎంటర్‌ నొక్కండి, లేదా పైన/ కింద ఉన్న మీటను నొక్కండి.<br /> సూచిక: (ప్రస్తుత) = ప్రస్తుత సంచికతో కల తేడాలు, (గత) = ఇంతకు ముందరి సంచికతో గల తేడాలు, చి = చిన్న మార్పు', 'history-fieldset-title' => 'చరిత్రలో చూడండి', 'history-show-deleted' => 'తొలగించినవి మాత్రమే', 'histfirst' => 'తొట్టతొలి', 'histlast' => 'చిట్టచివరి', 'historysize' => '({{PLURAL:$1|ఒక బైటు|$1 బైట్లు}})', 'historyempty' => '(ఖాళీ)', # Revision feed 'history-feed-title' => 'కూర్పుల చరిత్ర', 'history-feed-description' => 'ఈ పేజీకి వికీలో కూర్పుల చరిత్ర', 'history-feed-item-nocomment' => '$2 వద్ద ఉన్న $1', 'history-feed-empty' => 'మీరడిగిన పేజీ లేదు. దాన్ని వికీలోంచి తొలగించి ఉండొచ్చు, లేదా పేరు మార్చి ఉండొచ్చు. సంబంధిత కొత్త పేజీల కోసం [[Special:Search|వికీలో వెతికి చూడండి]].', # Revision deletion 'rev-deleted-comment' => '(మార్పుల సంగ్రహాన్ని తొలగించారు)', 'rev-deleted-user' => '(వాడుకరి పేరుని తొలగించారు)', 'rev-deleted-event' => '(దినచర్యని తొలగించాం)', 'rev-deleted-user-contribs' => '[వాడుకరిపేరు లేదా ఐపీ చిరునామాని తొలగించారు - మార్పుచేర్పుల నుండి మార్పుని దాచారు]', 'rev-deleted-text-permission' => "ఈ పేజీ కూర్పుని '''తొలగించారు'''. [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} తొలగింపు చిట్టా]లో పూర్తి వివరాలు ఉండవచ్చు.", 'rev-deleted-text-unhide' => "ఈ పేజీ కూర్పుని '''తొలగించారు'''. [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} తొలగింపు చిట్టా]లో వివరాలు ఉండవచ్చు. మీరు కావాలనుకుంటే, నిర్వాహకులుగా [$1 ఈ కూర్పుని చూడవచ్చు].", 'rev-suppressed-text-unhide' => "ఈ పేజీకూర్పును '''అణచి పెట్టాం'''. [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} అణచివేత చిట్టా]లో వివరాలు ఉండొచ్చు. ముందుకు సాగాలనుకుంటే ఒక నిర్వాహకుడిగా మీరీ [$1 కూర్పును చూడవచ్చు].", 'rev-deleted-text-view' => "ఈ పేజీ కూర్పుని '''తొలగించారు'''. ఒక నిర్వాహకుడిగా మీరు దాన్ని చూడవచ్చు; [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} తొలగింపు చిట్టా]లో వివరాలు ఉండవచ్చు.", 'rev-suppressed-text-view' => "ఈ పేజీకూర్పును '''అణచి పెట్టాం'''. ఒక నిర్వాహకుడిగా మీరు దాన్ని చూడవచ్చు; [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} అణచివేత చిట్టా]లోవివరాలు ఉండవచ్చు.", 'rev-deleted-no-diff' => "మీరు తేడాలను చూడలేదు ఎందుకంటే ఒక కూర్పుని '''తొలగించారు'''. [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} తొలగింపు చిట్టా]లో వివరాలు ఉండవచ్చు.", 'rev-suppressed-no-diff' => "ఈ తేడాని మీరు చూడలేరు ఎందుకంటే ఒక కూర్పుని '''తొలగించారు'''.", 'rev-deleted-unhide-diff' => "ఈ తేడాల యొక్క కూర్పులలో ఒకదాన్ని '''తొలగించారు'''. [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} తొలగింపు చిట్టా]లో వివరాలు ఉండవచ్చు. మీరు కావాలనుకుంటే నిర్వాహకులుగా [$1 ఈ తేడాని చూడవచ్చు].", 'rev-suppressed-unhide-diff' => "ఈ తేడా లోని ఒక కూర్పును '''అణచి పెట్టాం'''. [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} అణచివేత చిట్టా]లోవివరాలు ఉండవచ్చు. కావాలనుకుంటే, ఒక నిర్వాహకుడిగా మీరు [$1 ఆ తేడాను చూడవచ్చు].", 'rev-deleted-diff-view' => "ఈ తేడా లోని ఒక పేజీకూర్పును '''తొలగించాం'''. ఒక నిర్వాహకుడిగా మీరు ఈ తేడాను చూడవచ్చు; [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} తొలగింపు చిట్టా]లోవివరాలు ఉండవచ్చు.", 'rev-suppressed-diff-view' => " ఈ తేడా లోని ఒక కూర్పును '''అణచి పెట్టాం'''. ఒక నిర్వాహకుడిగా మీరు ఈ తేడాను చూడవచ్చు; [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} అణచివేత చిట్టా]లోవివరాలు ఉండవచ్చు.", 'rev-delundel' => 'చూపించు/దాచు', 'rev-showdeleted' => 'చూపించు', 'revisiondelete' => 'కూర్పులను తొలగించు/తొలగింపును రద్దుచెయ్యి', 'revdelete-nooldid-title' => 'తప్పుడు లక్ష్యపు కూర్పు', 'revdelete-nooldid-text' => 'ఈ పని ఏ కూర్పు లేదా కూర్పుల మీద చెయ్యాలో మీరు సూచించలేదు, లేదా మీరు సూచించిన కూర్పు లేదు, లేదా ప్రస్తుత కూర్పునే దాచాలని ప్రయత్నిస్తున్నారు.', 'revdelete-nologtype-title' => 'చిట్టా రకం ఇవ్వలేదు', 'revdelete-nologtype-text' => 'ఈ చర్య జరపాల్సిన చిట్టా రకాన్ని మీరు పేర్కొననేలేదు.', 'revdelete-nologid-title' => 'తప్పుడు చిట్టా పద్దు', 'revdelete-nologid-text' => 'ఈ పని చేయడానికి మీరు లక్ష్యిత చిట్టా పద్దుని ఇవ్వలేదు లేదా మీరు చెప్పిన పద్దు ఉనికిలో లేదు.', 'revdelete-no-file' => 'ఆ పేర్కొన్న ఫైలు ఉనికిలో లేదు.', 'revdelete-show-file-confirm' => 'మీరు నిజంగానే "<nowiki>$1</nowiki>" ఫైలు యొక్క $2 $3 నాటి తొలగించిన కూర్పుని చూడాలనుకుంటున్నారా?', 'revdelete-show-file-submit' => 'అవును', 'revdelete-selected' => "'''[[:$1]] యొక్క {{PLURAL:$2|ఎంచుకున్న కూర్పు|ఎంచుకున్న కూర్పులు}}:'''", 'logdelete-selected' => "'''{{PLURAL:$1|ఎంచుకున్న చిట్టా ఘటన|ఎంచుకున్న చిట్టా ఘటనలు}}:'''", 'revdelete-text' => "'''తొలగించిన కూర్పులు, ఘటనలూ పేజీ చరితం లోనూ, చిట్టాలలోనూ కనిపిస్తాయి, కానీ వాటిలో కొన్ని భాగాలు సార్వజనికంగా అందుబాటులో ఉండవు.''' {{SITENAME}} లోని ఇతర నిర్వాహకులు ఆ దాచిన భాగాలను చూడగలరు మరియు (ఏవిధమైన నియంత్రణలూ లేకుంటే) ఇదే అంతరవర్తి ద్వారా వాటిని పునస్థాపించగలరు.", 'revdelete-confirm' => 'మీరు దీన్ని చేయగోరుతున్నారనీ, దీని పర్యవసానాలు మీకు తెలుసుననీ, మరియు మీరు దీన్ని [[{{MediaWiki:Policy-url}}|విధానం]] ప్రకారమే చేస్తున్నారనీ దయచేసి నిర్ధారించండి.', 'revdelete-suppress-text' => 'అణచివేతను కింది సందర్భాలలో "మాత్రమే" వాడాలి: * బురదజల్లే ధోరణిలో ఉన్న సమాచారం * అనుచితమైన వ్యక్తిగత సమాచారం * "ఇంటి చిరునామాలు, టెలిఫోను నంబర్లు, సోషల్ సెక్యూరిటీ నంబర్లు, వగైరాలు"', 'revdelete-legend' => 'సందర్శక నిబంధనలు అమర్చు', 'revdelete-hide-text' => 'కూర్పు పాఠ్యాన్ని దాచు', 'revdelete-hide-image' => 'ఫైలులోని విషయాన్ని దాచు', 'revdelete-hide-name' => 'చర్యను, లక్ష్యాన్నీ దాచు', 'revdelete-hide-comment' => 'దిద్దుబాటు వ్యాఖ్యను దాచు', 'revdelete-hide-user' => 'దిద్దుబాటు చేసినవారి సభ్యనామాన్ని/ఐపీని దాచు', 'revdelete-hide-restricted' => 'డేటాను అందరిలాగే నిర్వాహకులకు కూడా కనబడనివ్వకు', 'revdelete-radio-same' => '(మార్చకు)', 'revdelete-radio-set' => 'అవును', 'revdelete-radio-unset' => 'కాదు', 'revdelete-suppress' => 'డేటాను అందరిలాగే నిర్వాహకులకు కూడా కనబడనివ్వకు', 'revdelete-unsuppress' => 'పునస్థాపిత కూర్పులపై నిబంధనలను తీసివెయ్యి', 'revdelete-log' => 'కారణం:', 'revdelete-submit' => 'ఎంచుకున్న {{PLURAL:$1|కూర్పుకు|కూర్పులకు}} ఆపాదించు', 'revdelete-success' => "'''కూర్పు కనబడే విధానాన్ని జయప్రదంగా తాజాకరించాం.'''", 'revdelete-failure' => "'''కూర్పు కనబడే పద్ధతిని తాజాపరచలేకపోయాం:''' $1", 'logdelete-success' => "'''ఘటన కనబడే విధానాన్ని జయప్రదంగా సెట్ చేసాం.'''", 'logdelete-failure' => "'''చిట్టా కనబడే పద్ధతిని అమర్చలేకపోయాం:''' $1", 'revdel-restore' => 'దృశ్యతని మార్చు', 'revdel-restore-deleted' => 'తొలగించిన కూర్పులు', 'revdel-restore-visible' => 'కనిపిస్తున్న కూర్పులు', 'pagehist' => 'పేజీ చరిత్ర', 'deletedhist' => 'తొలగించిన చరిత్ర', 'revdelete-hide-current' => '$2, $1 నాటి అంశాన్ని దాచడంలో లోపం దొర్లింది: ఇది ప్రస్తుత కూర్పు. దీన్ని దాచలేము.', 'revdelete-show-no-access' => '$2, $1 నాటి అంశాన్ని చూపడంలో లోపం దొర్లింది: ఇది "నిరోధించబడింది" అని గుర్తించబడింది. ఇది మీకు అందుబాటులో లేదు.', 'revdelete-modify-no-access' => '$2, $1 నాటి అంశాన్ని మార్చడంలో లోపం దొర్లింది: ఇది "నిరోధించబడింది" అని గుర్తించబడింది. ఇది మీకు అందుబాటులో లేదు.', 'revdelete-modify-missing' => '$1 అంశాన్ని మార్చడంలో లోపం దొర్లింది: ఇది డేటాబేసులో కనబడలేదు!', 'revdelete-no-change' => "'''హెచ్చరిక:''' $2, $1 నాటి అంశానికి మీరడిగిన చూపు అమరికలన్నీ ఈసరికే ఉన్నాయి.", 'revdelete-concurrent-change' => '$2, $1 నాటి అంశాన్ని మార్చడంలో లోపం దొర్లింది: మీరు మార్చడానికి ప్రయత్నించిన సమయంలోనే వేరొకరు దాని స్థితిని మార్చినట్లుగా కనిపిస్తోంది. ఓసారి లాగ్‌లను చూడండి.', 'revdelete-only-restricted' => '$2, $1 తేదీ గల అంశాన్ని దాచడంలో పొరపాటు: ఇతర దృశ్యత వికల్పాల్లోంచి ఒకదాన్ని ఎంచుకోకుండా అంశాలని నిర్వాహకులకు కనబడకుండా అణచివెయ్యలేరు.', 'revdelete-reason-dropdown' => '*సాధారణ తొలగింపు కారణాలు ** కాపీహక్కుల ఉల్లంఘన ** అసంబద్ధ వ్యాఖ్య లేదా వ్యక్తిగత సమాచారం ** అసంబద్ధ వాడుకరి పేరు ** నిందాపూర్వక సమాచారం', 'revdelete-otherreason' => 'ఇతర/అదనపు కారణం:', 'revdelete-reasonotherlist' => 'ఇతర కారణం', 'revdelete-edit-reasonlist' => 'తొలగింపు కారణాలని మార్చండి', 'revdelete-offender' => 'కూర్పు రచయిత:', # Suppression log 'suppressionlog' => 'అణచివేతల చిట్టా', 'suppressionlogtext' => 'నిర్వాహకులకు కనబడని విషయం కలిగిన తొలగింపులు, నిరోధాల జాబితా ఇది. ప్రస్తుతం అమల్లో ఉన్న నిషేధాలు, నిరోధాల జాబితా కోసం [[Special:IPBlockList|ఐపీ నిరోధాల జాబితా]] చూడండి.', # History merging 'mergehistory' => 'పేజీ చరితాలను విలీనం చెయ్యి', 'mergehistory-header' => 'ఓ పేజీ చరితం లోని కూర్పులను మరో పేజీలోకి విలీనం చెయ్యడానికి ఈ పేజీని వాడండి. మీరు చెయ్యబోయే మార్పు చరితం క్రమాన్ని పాటిస్తుందని నిర్ధారించుకోండి.', 'mergehistory-box' => 'రెండు పేజీల కూర్పులను విలీనం చెయ్యి:', 'mergehistory-from' => 'మూల పేజీ:', 'mergehistory-into' => 'లక్ష్యిత పేజీ:', 'mergehistory-list' => 'విలీనం చెయ్యదగ్గ దిద్దుబాటు చరితం', 'mergehistory-merge' => '[[:$1]] యొక్క కింది కూర్పులను [[:$2]] తో విలీనం చెయ్యవచ్చు. ఫలానా సమయమూ, దాని కంటే ముందూ తయారైన కూర్పులతో మాత్రమే విలీనం చెయ్యాలనుకుంటే, సంబంధిత రేడియో బటనున్న నిలువు వరుసను వాడండి. నేవిగేషను లింకులను వాడితే ఈ వరుస రీసెట్ అవుతుంది.', 'mergehistory-go' => 'విలీనం చెయ్యదగ్గ దిద్దుబాట్లను చూపించు', 'mergehistory-submit' => 'కూర్పులను విలీనం చెయ్యి', 'mergehistory-empty' => 'ఏ కూర్పులనూ విలీనం చెయ్యలేము.', 'mergehistory-success' => '[[:$1]] యొక్క $3 {{PLURAL:$3|కూర్పుని|కూర్పులను}} [[:$2]] లోనికి జయప్రదంగా విలీనం చేసాం.', 'mergehistory-fail' => 'చరితాన్ని విలీనం చెయ్యలేకపోయాం. పేజీని, సమయాలను సరిచూసుకోండి.', 'mergehistory-no-source' => 'మూలం పేజీ, $1 లేదు.', 'mergehistory-no-destination' => 'గమ్యం పేజీ, $1 లేదు.', 'mergehistory-invalid-source' => 'మూలం పేజీకి సరైన పేరు ఉండాలి.', 'mergehistory-invalid-destination' => 'గమ్యం పేజీకి సరైన పేరు ఉండాలి.', 'mergehistory-autocomment' => '[[:$1]]ని [[:$2]] లోనికి విలీనం చేసారు', 'mergehistory-comment' => '[[:$1]]ని [[:$2]] లోనికి విలీనం చేసారు: $3', 'mergehistory-same-destination' => 'మూల మరియు గమ్యస్థాన పేజీలు ఒకటే కాకూడదు', 'mergehistory-reason' => 'కారణం:', # Merge log 'mergelog' => 'వీలీనాల చిట్టా', 'pagemerge-logentry' => '[[$1]] ను [[$2]] లోకి విలీనం చేసాం ($3 కూర్పు దాకా)', 'revertmerge' => 'విలీనాన్ని రద్దుచెయ్యి', 'mergelogpagetext' => 'ఒక పేజీ చరితాన్ని మరో పేజీ చరితం లోకి ఇటీవల చేసిన విలీనాల జాబితా ఇది.', # Diffs 'history-title' => '"$1" యొక్క కూర్పుల చరిత్ర', 'difference-title' => '"$1" యొక్క తిరిగిచూపుల నడుమ తేడాలు', 'difference-title-multipage' => '"$1" మరియు "$2" పేజీల మధ్య తేడా', 'difference-multipage' => '(పేజీల మధ్య తేడా)', 'lineno' => 'పంక్తి $1:', 'compareselectedversions' => 'ఎంచుకున్న సంచికలను పోల్చిచూడు', 'showhideselectedversions' => 'ఎంచుకున్న కూర్పులను చూపించు/దాచు', 'editundo' => 'మార్పుని రద్దుచెయ్యి', 'diff-multi' => '({{PLURAL:$2|ఒక వాడుకరి|$2 వాడుకరుల}} యొక్క {{PLURAL:$1|ఒక మధ్యంతర కూర్పును|$1 మధ్యంతర కూర్పులను}} చూపించట్లేదు)', 'diff-multi-manyusers' => '$2 మంది పైన ({{PLURAL:$2|ఒక వాడుకరి|వాడుకరుల}} యొక్క {{PLURAL:$1|ఒక మధ్యంతర కూర్పును|$1 మధ్యంతర కూర్పులను}} చూపించట్లేదు)', # Search results 'searchresults' => 'వెదుకులాట ఫలితాలు', 'searchresults-title' => '"$1"కి అన్వేషణ ఫలితాలు', 'searchresulttext' => '{{SITENAME}}లో అన్వేషించే విషయమై మరింత సమాచారం కొరకు [[{{MediaWiki:Helppage}}|{{int:help}}]] చూడండి.', 'searchsubtitle' => 'మీరు \'\'\'[[:$1]]\'\'\' కోసం వెతికారు ([[Special:Prefixindex/$1|"$1"తో మొదలయ్యే అన్ని పేజీలు]]{{int:pipe-separator}}[[Special:WhatLinksHere/$1|"$1"కి లింకు ఉన్న అన్ని పేజీలు]])', 'searchsubtitleinvalid' => "మీరు '''$1''' కోసం వెతికారు", 'toomanymatches' => 'చాలా పోలికలు వచ్చాయి, దయచేసి మరో ప్రశ్నని ప్రయత్నించండి', 'titlematches' => 'వ్యాస శీర్షిక సరిపోయింది', 'notitlematches' => 'పేజీ పేరు సరిపోలడం లేదు', 'textmatches' => 'పేజిలోని పాఠం సరిపోలింది', 'notextmatches' => 'పేజీ పాఠ్యమేదీ సరిపోలడం లేదు', 'prevn' => 'క్రితం {{PLURAL:$1|$1}}', 'nextn' => 'తరువాతి {{PLURAL:$1|$1}}', 'prevn-title' => 'గత $1 {{PLURAL:$1|ఫలితం|ఫలితాలు}}', 'nextn-title' => 'తదుపరి $1 {{PLURAL:$1|ఫలితం|ఫలితాలు}}', 'shown-title' => 'పేజీకి $1 {{PLURAL:$1|ఫలితాన్ని|ఫలితాలను}} చూపించు', 'viewprevnext' => '($1 {{int:pipe-separator}} $2) ($3) చూపించు.', 'searchmenu-legend' => 'అన్వేషణ ఎంపికలు', 'searchmenu-exists' => "'''ఈ వికీలో \"[[:\$1]]\" అనే పేజీ ఉంది'''", 'searchmenu-new' => "'''ఈ వికీలో \"[[:\$1]]\" అనే పేరుతో పేజీని సృష్టించు!'''", 'searchmenu-prefix' => '[[Special:PrefixIndex/$1|ఈ ఉపసర్గ ఉన్న పేజీలను చూడండి]]', 'searchprofile-articles' => 'విషయపు పేజీలు', 'searchprofile-project' => 'సహాయం మరియు ప్రాజెక్టు పేజీలు', 'searchprofile-images' => 'బహుళమాధ్యమాలు', 'searchprofile-everything' => 'ప్రతీ ఒక్కటీ', 'searchprofile-advanced' => 'ఉన్నత', 'searchprofile-articles-tooltip' => '$1 లలో వెతకండి', 'searchprofile-project-tooltip' => '$1 లలో వెతకండి', 'searchprofile-images-tooltip' => 'పైళ్ళ కోసం వెతకండి', 'searchprofile-everything-tooltip' => 'అన్ని చోట్లా (చర్చా పేజీలతో సహా) వెతకండి', 'searchprofile-advanced-tooltip' => 'కస్టం నేంస్పేసులలో వెదుకు', 'search-result-size' => '$1 ({{PLURAL:$2|1 పదం|$2 పదాలు}})', 'search-result-category-size' => '{{PLURAL:$1|1 సభ్యుడు|$1 సభ్యులు}} ({{PLURAL:$2|1 ఉవవర్గం|$2 ఉపవర్గాలు}}, {{PLURAL:$3|1 దస్త్రం|$3 దస్త్రాలు}})', 'search-result-score' => 'సంబంధం: $1%', 'search-redirect' => '(దారిమార్పు $1)', 'search-section' => '(విభాగం $1)', 'search-suggest' => 'మీరు అంటున్నది ఇదా: $1', 'search-interwiki-caption' => 'సోదర ప్రాజెక్టులు', 'search-interwiki-default' => '$1 ఫలితాలు:', 'search-interwiki-more' => '(మరిన్ని)', 'search-relatedarticle' => 'సంబంధించినవి', 'mwsuggest-disable' => 'AJAX సూచనలను అచేతనంచేయి', 'searcheverything-enable' => 'అన్ని పేరుబరుల్లో వెతుకు', 'searchrelated' => 'సంబంధించినవి', 'searchall' => 'అన్నీ', 'showingresults' => "కింద ఉన్న {{PLURAL:$1|'''ఒక్క''' ఫలితం|'''$1''' ఫలితాలు}}, #'''$2''' నుండి మొదలుకొని చూపిస్తున్నాం.", 'showingresultsnum' => "కింద ఉన్న {{PLURAL:$3|'''ఒక్క''' ఫలితం|'''$3''' ఫలితాలు}}, #'''$2''' నుండి మొదలుకొని చూపిస్తున్నాం.", 'showingresultsheader' => "'''$4''' కొరకై {{PLURAL:$5|'''$3'''లో '''$1''' ఫలితం|'''$3''' ఫలితాల్లో '''$1 - $2''' వరకు}}", 'nonefound' => "'''గమనిక''': డిఫాల్టుగా కొన్ని నేమ్‌స్పేసుల్లో మాత్రమే వెతుకుతాం. చర్చాపేజీలు, మూసలు మొదలైన వాటితో సహా ఆన్ని నేమ్‌స్పేసుల్లోను వెతికేందుకు మీ అన్వేషకానికి ముందు ''all:'' అనే పదం ఉంచండి. లేదా మీరు వెతకదలచిన నేమ్‌స్పేసును ఆదిపదంగా పెట్టండి.", 'search-nonefound' => 'మీ ప్రశ్నకి సరిపోలిన ఫలితాలేమీ లేవు.', 'powersearch' => 'నిశితంగా వెతుకు', 'powersearch-legend' => 'నిశితమైన అన్వేషణ', 'powersearch-ns' => 'ఈ పేరుబరుల్లో వెతుకు:', 'powersearch-redir' => 'దారిమార్పులను చూపించు', 'powersearch-field' => 'దీని కోసం వెతుకు:', 'powersearch-togglelabel' => 'ఎంచుకోవాల్సినవి:', 'powersearch-toggleall' => 'అన్నీ', 'powersearch-togglenone' => 'ఏదీకాదు', 'search-external' => 'బయటి అన్వేషణ', 'searchdisabled' => '{{SITENAME}} అన్వేషణ తాత్కాలికంగా పని చెయ్యడం లేదు. ఈలోగా మీరు గూగుల్‌ ఉపయోగించి అన్వేషించవచ్చు. ఒక గమనిక: గూగుల్‌ ద్వారా కాలదోషం పట్టిన ఫలితాలు రావడానికి అవకాశం ఉంది.', # Preferences page 'preferences' => 'అభిరుచులు', 'mypreferences' => 'అభిరుచులు', 'prefs-edits' => 'దిద్దుబాట్ల సంఖ్య:', 'prefsnologin' => 'లాగిన్‌ అయిలేరు', 'prefsnologintext' => 'వాడుకరి అభిరుచులను మార్చుకోడానికి, మీరు <span class="plainlinks">[{{fullurl:{{#Special:UserLogin}}|returnto=$1}} లోనికి ప్రవేశించి]</span> ఉండాలి.', 'changepassword' => 'సంకేతపదాన్ని మార్చండి', 'prefs-skin' => 'అలంకారం', 'skin-preview' => 'మునుజూపు/సరిచూడు', 'datedefault' => 'ఏదైనా పరవాలేదు', 'prefs-beta' => 'బీటా సౌలభ్యాలు', 'prefs-datetime' => 'తేదీ, సమయం', 'prefs-labs' => 'ప్రయోగాత్మక సౌలభ్యాలు', 'prefs-user-pages' => 'వాడుకరి పేజీలు', 'prefs-personal' => 'వాడుకరి వివరాలు', 'prefs-rc' => 'ఇటీవలి మార్పులు', 'prefs-watchlist' => 'వీక్షణ జాబితా', 'prefs-watchlist-days' => 'వీక్షణ జాబితాలో చూపించవలసిన రోజులు:', 'prefs-watchlist-days-max' => '$1 {{PLURAL:$1|రోజు|రోజులు}} గరిష్ఠం', 'prefs-watchlist-edits' => 'విస్తృత వీక్షణ జాబితాలో చూపించవలసిన దిద్దుబాట్లు:', 'prefs-watchlist-edits-max' => 'గరిష్ఠ సంఖ్య: 1000', 'prefs-watchlist-token' => 'వీక్షణాజాబితా టోకెను:', 'prefs-misc' => 'ఇతరాలు', 'prefs-resetpass' => 'సంకేతపదాన్ని మార్చుకోండి', 'prefs-changeemail' => 'ఈ-మెయిలు చిరునామా మార్పు', 'prefs-setemail' => 'ఒక ఈ-మెయిల్ చిరునామాని అమర్చండి', 'prefs-email' => 'ఈ-మెయిల్ ఎంపికలు', 'prefs-rendering' => 'రూపురేఖలు', 'saveprefs' => 'భద్రపరచు', 'resetprefs' => 'మునుపటి వలె', 'restoreprefs' => 'సృష్టించబడినప్పటి అభిరుచులు తిరిగి తీసుకురా', 'prefs-editing' => 'మార్పులు', 'rows' => 'వరుసలు', 'columns' => 'వరుసలు:', 'searchresultshead' => 'అన్వేషణ', 'resultsperpage' => 'పేజీకి ఫలితాలు:', 'stub-threshold' => '<a href="#" class="stub">మొలక లింకు</a> ఫార్మాటింగు కొరకు హద్దు (బైట్లు):', 'stub-threshold-disabled' => 'అచేతనం', 'recentchangesdays' => 'ఇటీవలి మార్పులు లో చూపించవలసిన రోజులు:', 'recentchangesdays-max' => '($1 {{PLURAL:$1|రోజు|రోజులు}} గరిష్ఠం)', 'recentchangescount' => 'అప్రమేయంగా చూపించాల్సిన దిద్దుబాట్ల సంఖ్య:', 'prefs-help-recentchangescount' => 'ఇది ఇటీవలి మార్పులు, పేజీ చరిత్రలు, మరియు చిట్టాలకు వర్తిస్తుంది.', 'savedprefs' => 'మీ అభిరుచులను భద్రపరిచాం.', 'timezonelegend' => 'కాల మండలం:', 'localtime' => 'స్థానిక సమయం:', 'timezoneuseserverdefault' => 'వికీ అప్రమేయాన్ని ఉపయోగించు ($1)', 'timezoneuseoffset' => 'ఇతర (భేదాన్ని ఇవ్వండి)', 'timezoneoffset' => 'తేడా¹:', 'servertime' => 'సర్వరు సమయం:', 'guesstimezone' => 'విహారిణి నుండి తీసుకో', 'timezoneregion-africa' => 'ఆఫ్రికా', 'timezoneregion-america' => 'అమెరికా', 'timezoneregion-antarctica' => 'అంటార్కిటికా', 'timezoneregion-arctic' => 'ఆర్కిటిక్', 'timezoneregion-asia' => 'ఆసియా', 'timezoneregion-atlantic' => 'అట్లాంటిక్ మహాసముద్రం', 'timezoneregion-australia' => 'ఆష్ట్రేలియా', 'timezoneregion-europe' => 'ఐరోపా', 'timezoneregion-indian' => 'హిందూ మహాసముద్రం', 'timezoneregion-pacific' => 'పసిఫిక్ మహాసముద్రం', 'allowemail' => 'ఇతర వాడుకరుల నుండి ఈ-మెయిళ్ళను రానివ్వు', 'prefs-searchoptions' => 'వెతుకులాట', 'prefs-namespaces' => 'పేరుబరులు', 'defaultns' => 'లేకపోతే ఈ నేంస్పేసులలో అన్వేషించు:', 'default' => 'అప్రమేయం', 'prefs-files' => 'ఫైళ్ళు', 'prefs-custom-css' => 'ప్రత్యేక CSS', 'prefs-custom-js' => 'ప్రత్యేక JS', 'prefs-common-css-js' => 'అన్ని అలంకారాలకై పంచుకోబడిన CSS/JS:', 'prefs-reset-intro' => 'ఈ పేజీలో, మీ అభిరుచులను సైటు డిఫాల్టు విలువలకు మార్చుకోవచ్చు. మళ్ళీ వెనక్కి తీసుకుపోలేరు.', 'prefs-emailconfirm-label' => 'ఈ-మెయిల్ నిర్ధారణ:', 'youremail' => 'మీ ఈ-మెయిలు*', 'username' => '{{GENDER:$1|వాడుకరి పేరు}}:', 'uid' => '{{GENDER:$1|వాడుకరి}} ID:', 'prefs-memberingroups' => 'ఈ {{PLURAL:$1|గుంపులో|గుంపులలో}} {{GENDER:$2|సభ్యుడు|సభ్యురాలు}}:', 'prefs-registration' => 'నమోదైన సమయం:', 'yourrealname' => 'అసలు పేరు:', 'yourlanguage' => 'భాష:', 'yourvariant' => 'విషయపు భాషా వైవిధ్యం:', 'prefs-help-variant' => 'ఈ వికీ లోని విషయపు పేజీలను చూపించడానికి మీ అభిమత వైవిధ్యం లేదా ఆర్ధోగ్రఫీ.', 'yournick' => 'ముద్దు పేరు', 'prefs-help-signature' => 'చర్చా పేజీల లోని వ్యాఖ్యలకు "<nowiki>~~~~</nowiki>"తో సంతకం చేస్తే అది మీ సంతకం మరియు కాలముద్రగా మారుతుంది.', 'badsig' => 'సంతకాన్ని సరిగ్గా ఇవ్వలేదు; HTML ట్యాగులను ఒకసారి పరిశీలించండి.', 'badsiglength' => 'మీ సంతకం చాలా పెద్దగా ఉంది. ఇది తప్పనిసరిగా $1 {{PLURAL:$1|అక్షరం|అక్షరాల}} లోపులోనే ఉండాలి.', 'yourgender' => 'లింగం:', 'gender-unknown' => 'వెల్లడించకండి', 'gender-male' => 'పురుషుడు', 'gender-female' => 'స్త్రీ', 'prefs-help-gender' => 'ఐచ్ఛికం: లింగ-సమంజసమైన సంబోధనలకు ఈ మృదుఉపకరణం వాడుకుంటుంది. ఈ సమాచారం బహిర్గతమౌతుంది.', 'email' => 'ఈ-మెయిలు', 'prefs-help-realname' => 'అసలు పేరు (తప్పనిసరి కాదు), మీ అసలు పేరు ఇస్తేగనక, మీ రచనలన్నీ మీ అసలు పేరుతోనే గుర్తిస్తూ ఉంటారు.', 'prefs-help-email' => 'ఈ-మెయిలు చిరునామా ఐచ్చికం, కానీ మీరు సంకేతపదాన్ని మర్చిపోతే కొత్త సంకేతపదాన్ని మీకు పంపించడానికి అవసరమవుతుంది.', 'prefs-help-email-others' => 'మీ వాడుకరి లేదా చర్చా పేజీలలో ఉండే లంకె ద్వారా ఇతరులు మిమ్మల్ని ఈ-మెయిలు ద్వారా సంప్రదించే వీలుకల్పించవచ్చు. ఇతరులు మిమ్మల్ని సంప్రదించినప్పుడు మీ ఈ-మెయిలు చిరునామా బహిర్గతమవదు.', 'prefs-help-email-required' => 'ఈ-మెయిలు చిరునామా తప్పనిసరి.', 'prefs-info' => 'ప్రాథమిక సమాచారం', 'prefs-i18n' => 'అంతర్జాతీకరణ', 'prefs-signature' => 'సంతకం', 'prefs-dateformat' => 'తేదీ ఆకృతి', 'prefs-timeoffset' => 'సమయ సవరణ', 'prefs-advancedediting' => 'ఉన్నత ఎంపికలు', 'prefs-advancedrc' => 'ఉన్నత ఎంపికలు', 'prefs-advancedrendering' => 'ఉన్నత ఎంపికలు', 'prefs-advancedsearchoptions' => 'ఉన్నత ఎంపికలు', 'prefs-advancedwatchlist' => 'ఉన్నత ఎంపికలు', 'prefs-displayrc' => 'ప్రదర్శన ఎంపికలు', 'prefs-displaysearchoptions' => 'ప్రదర్శన ఎంపికలు', 'prefs-displaywatchlist' => 'ప్రదర్శన ఎంపికలు', 'prefs-diffs' => 'తేడాలు', # User preference: email validation using jQuery 'email-address-validity-valid' => 'ఈ-మెయిలు చిరునామా సరిగానే ఉన్నట్టుంది', 'email-address-validity-invalid' => 'దయచేసి సరైన ఈమెయిలు చిరునామాని ఇవ్వండి', # User rights 'userrights' => 'వాడుకరి హక్కుల నిర్వహణ', 'userrights-lookup-user' => 'వాడుకరి సమూహాలను సంభాళించండి', 'userrights-user-editname' => 'సభ్యనామాన్ని ఇవ్వండి:', 'editusergroup' => 'వాడుకరి గుంపులను మార్చు', 'editinguser' => "వాడుకరి '''[[User:$1|$1]]''' $2 యొక్క వాడుకరి హక్కులను మారుస్తున్నారు", 'userrights-editusergroup' => 'వాడుకరి సమూహాలను మార్చండి', 'saveusergroups' => 'వాడుకరి గుంపులను భద్రపరచు', 'userrights-groupsmember' => 'సభ్యులు:', 'userrights-groupsmember-auto' => 'సంభావిత సభ్యులు:', 'userrights-groups-help' => 'ఈ వాడుకరి ఏయే గుంపులలో ఉండవచ్చో మీరు మార్చవచ్చు. * టిక్కు పెట్టివుంటే ఆ గుంపులో ఈ వాడుకరి ఉన్నట్టు. * టిక్కు లేకుంటే ఆ గుంపులో ఈ వాడుకరి లేనట్టు. * <nowiki>*</nowiki> ఉంటే ఒకసారి ఆ గుంపుని చేర్చాకా మీరు తీసివేయలేరు, లేదా తీసివేసాకా తిరిగి చేర్చలేరు.', 'userrights-reason' => 'కారణం:', 'userrights-no-interwiki' => 'ఇతర వికీలలో వాడుకరి హక్కులను మార్చడానికి మీకు అనుమతి లేదు.', 'userrights-nodatabase' => '$1 అనే డేటాబేసు లేదు లేదా అది స్థానికం కాదు.', 'userrights-nologin' => 'వాడుకరి హక్కులను ఇవ్వడానికి మీరు తప్పనిసరిగా ఓ నిర్వాహక ఖాతాతో [[Special:UserLogin|లోనికి ప్రవేశించాలి]].', 'userrights-notallowed' => 'వాడుకరి హక్కులను చేర్చే మరియు తొలగించే అనుమతి మీ ఖాతాకు లేదు.', 'userrights-changeable-col' => 'మీరు మార్చదగిన గుంపులు', 'userrights-unchangeable-col' => 'మీరు మార్చలేని గుంపులు', # Groups 'group' => 'గుంపు:', 'group-user' => 'వాడుకరులు', 'group-autoconfirmed' => 'ఆటోమాటిగ్గా నిర్ధారించబడిన వాడుకరులు', 'group-bot' => 'బాట్‌లు', 'group-sysop' => 'నిర్వాహకులు', 'group-bureaucrat' => 'అధికారులు', 'group-suppress' => 'పరాకులు', 'group-all' => '(అందరూ)', 'group-user-member' => '{{GENDER:$1|వాడుకరి}}', 'group-autoconfirmed-member' => '{{GENDER:$1|ఆటోమాటిగ్గా నిర్ధారించబడిన వాడుకరి}}', 'group-bot-member' => '{{GENDER:$1|బాట్}}', 'group-sysop-member' => '{{GENDER:$1|నిర్వాహకుడు|నిర్వాహకురాలు}}', 'group-bureaucrat-member' => '{{GENDER:$1|అధికారి|అధికారిణి}}', 'group-suppress-member' => 'పరాకు', 'grouppage-user' => '{{ns:project}}:వాడుకరులు', 'grouppage-autoconfirmed' => '{{ns:project}}:ఆటోమాటిగ్గా నిర్ధారించబడిన వాడుకరులు', 'grouppage-bot' => '{{ns:project}}:బాట్లు', 'grouppage-sysop' => '{{ns:project}}:నిర్వాహకులు', 'grouppage-bureaucrat' => '{{ns:project}}:అధికార్లు', 'grouppage-suppress' => '{{ns:project}}:పరాకు', # Rights 'right-read' => 'పేజీలు చదవడం', 'right-edit' => 'పేజీలను మార్చడం', 'right-createpage' => 'పేజీలను సృష్టించడం (చర్చాపేజీలు కానివి)', 'right-createtalk' => 'చర్చా పేజీలను సృష్టించడం', 'right-createaccount' => 'కొత్త వాడుకరి ఖాతాలను సృష్టించడం', 'right-minoredit' => 'మార్పుని చిన్నదిగా గుర్తించడం', 'right-move' => 'పేజీలను తరలించడం', 'right-move-subpages' => 'పేజీలను వాటి ఉపపేజీలతో బాటుగా తరలించడం', 'right-move-rootuserpages' => 'వాడుకరుల ప్రధాన పేజీలను తరలించగలగడం', 'right-movefile' => 'ఫైళ్ళను తరలించడం', 'right-suppressredirect' => 'పేజీని తరలించేటపుడు పాత పేరు నుండి దారిమార్పును సృష్టించకుండా ఉండటం', 'right-upload' => 'దస్త్రాలను ఎక్కించడం', 'right-reupload' => 'ఇప్పటికే ఉన్న ఫైలును తిరగరాయి', 'right-reupload-own' => 'తానే ఇదివరలో అప్‌లోడు చేసిన ఫైలును తిరగరాయి', 'right-reupload-shared' => 'స్థానికంగా ఉమ్మడి మీడియా సొరుగులోని ఫైళ్ళను అధిక్రమించు', 'right-upload_by_url' => 'URL అడ్రసునుండి ఫైలును అప్‌లోడు చెయ్యి', 'right-purge' => 'పేజీకి సంబంధించిన సైటు కాషెను, నిర్ధారణ కోరకుండానే తొలగించు', 'right-autoconfirmed' => 'అర్ధ సంరక్షణలో ఉన్న పేజీలలో దిద్దుబాటు చెయ్యి', 'right-bot' => 'ఆటోమాటిక్ ప్రాసెస్ లాగా భావించబడు', 'right-nominornewtalk' => 'చర్చా పేజీల్లో జరిగిన అతి చిన్న మార్పులకు కొత్తసందేశము వచ్చిందన్న సూచన చెయ్యవద్దు', 'right-apihighlimits' => 'API ప్రశ్నల్లో ఉన్నత పరిమితులను వాడు', 'right-writeapi' => 'రైట్ API వినియోగం', 'right-delete' => 'పేజీలను తొలగించడం', 'right-bigdelete' => 'చాలా పెద్ద చరితం ఉన్న పేజీలను తొలగించు', 'right-deleterevision' => 'పేజీల ప్రత్యేకించిన కూర్పులను తొలగించు, తొలగింపును నివారించు', 'right-deletedhistory' => 'తొలగింపులను, వాటి పాఠ్యం లేకుండా, చరితంలో చూడు', 'right-deletedtext' => 'తొలగించిన పాఠ్యాన్ని మరియు తొలగించిన కూర్పుల మధ్య మార్పలని చూడగలగడం', 'right-browsearchive' => 'తొలగించిన పేజీలను వెతుకు', 'right-undelete' => 'పేజీ తొలగింపును రద్దు చెయ్యి', 'right-suppressrevision' => 'నిర్వాహకులకు కనబడకుండా ఉన్న కూర్పులను సమీక్షించి పౌనస్థాపించు', 'right-suppressionlog' => 'గోప్యంగా ఉన్న లాగ్‌లను చూడు', 'right-block' => 'దిద్దుబాటు చెయ్యకుండా ఇతర వాడుకరులను నిరోధించగలగడం', 'right-blockemail' => 'ఈమెయిలు పంపకుండా సభ్యుని నిరోధించు', 'right-hideuser' => 'ప్రజలకు కనబడకుండా చేసి, సభ్యనామాన్ని నిరోధించు', 'right-ipblock-exempt' => 'ఐపీ నిరోధాలు, ఆటో నిరోధాలు, శ్రేణి నిరోధాలను తప్పించు', 'right-proxyunbannable' => 'ప్రాక్సీల ఆటోమాటిక్ నిరోధాన్ని తప్పించు', 'right-unblockself' => 'వారినే అనిరోధించుకోవడం', 'right-protect' => 'సంరక్షణ స్థాయిలను మార్చు, సంరక్షిత పేజీలలో దిద్దుబాటు చెయ్యి', 'right-editprotected' => 'సంరక్షిత పేజీలలో దిద్దుబటు చెయ్యి (కాస్కేడింగు సంరక్షణ లేనివి)', 'right-editinterface' => 'యూజరు ఇంటరుఫేసులో దిద్దుబాటు చెయ్యి', 'right-editusercssjs' => 'ఇతర వాడుకరుల CSS, JS ఫైళ్ళలో దిద్దుబాటు చెయ్యి', 'right-editusercss' => 'ఇతర వాడుకరుల CSS ఫైళ్ళలో దిద్దుబాటు చెయ్యి', 'right-edituserjs' => 'ఇతర వాడుకరుల JS ఫైళ్ళలో దిద్దుబాటు చెయ్యి', 'right-rollback' => 'ఒకానొక పేజీలో చివరి దిద్దుబాటు చేసిన వాడుకరి చేసిన దిద్దుబాట్లను రద్దుచేయి', 'right-markbotedits' => 'వెనక్కి తెచ్చిన దిద్దుబాట్లను బాట్ దిద్దుబాట్లుగా గుర్తించు', 'right-noratelimit' => 'రేటు పరిమితులు ప్రభావం చూపవు', 'right-import' => 'ఇతర వికీల నుండి పేజీలను దిగుమతి చేసుకో', 'right-importupload' => 'ఫైలు అప్‌లోడు నుండి పేజీలను దిగుమతి చేసుకో', 'right-patrol' => 'ఇతరుల దిద్దుబాట్లను నిఘాలో ఉన్నట్లుగా గుర్తించు', 'right-autopatrol' => 'తానే చేసిన మార్పులను నిఘాలో ఉన్నట్లుగా ఆటోమాటిగా గుర్తించు', 'right-patrolmarks' => 'ఇటీవలి మార్పుల నిఘా గుర్తింపులను చూడు', 'right-unwatchedpages' => 'వీక్షణలో లేని పేజీల జాబితాను చూడు', 'right-mergehistory' => 'పేజీల యొక్క చరిత్రలని విలీనం చేయగలగడం', 'right-userrights' => 'వాడుకరులందరి హక్కులను మార్చు', 'right-userrights-interwiki' => 'ఇతర వికీల్లోని వాడుకరుల హక్కులను మార్చు', 'right-siteadmin' => 'డేటాబేసును లాక్, అన్‌లాక్ చెయ్యి', 'right-override-export-depth' => '5 లింకుల లోతు వరకు ఉన్న పేజీలతో సహా, పేజీలను ఎగుమతి చెయ్యి', 'right-sendemail' => 'ఇతర వాడుకరులకు ఈ-మెయిలు పంపించగలగడం', 'right-passwordreset' => 'సంకేతపదాన్ని పునరుద్ధరించిన ఈ-మెయిళ్ళు', # Special:Log/newusers 'newuserlogpage' => 'కొత్త వాడుకరుల చిట్టా', 'newuserlogpagetext' => 'ఇది వాడుకరి నమోదుల చిట్టా.', # User rights log 'rightslog' => 'వాడుకరుల హక్కుల మార్పుల చిట్టా', 'rightslogtext' => 'ఇది వాడుకరుల హక్కులకు జరిగిన మార్పుల చిట్టా.', # Associated actions - in the sentence "You do not have permission to X" 'action-read' => 'ఈ పేజీని చదవండి', 'action-edit' => 'ఈ పేజీని సవరించండి', 'action-createpage' => 'పేజీలను సృష్టించే', 'action-createtalk' => 'చర్చాపేజీలను సృష్టించే', 'action-createaccount' => 'ఈ వాడుకరి ఖాతాని సృష్టించే', 'action-minoredit' => 'ఈ మార్పుని చిన్నదానిగా గుర్తించే', 'action-move' => 'ఈ పేజీని తరలించే', 'action-move-subpages' => 'ఈ పేజీని మరియు దీని ఉపపేజీలను తరలించే', 'action-move-rootuserpages' => 'ప్రధాన వాడుకరి పేజీలని తరలించగడగడం', 'action-movefile' => 'ఈ ఫైలుని తరలించే', 'action-upload' => 'ఈ దస్త్రాన్ని ఎక్కించే', 'action-reupload' => 'ఈ ఫైలుని తిరగవ్రాసే', 'action-reupload-shared' => 'సామూహిక నిక్షేపంపై ఈ ఫైలును అతిక్రమించు', 'action-upload_by_url' => 'ఈ ఫైలుని URL చిరునామా నుండి ఎగుమతి చేసే', 'action-writeapi' => 'వ్రాసే APIని ఉపయోగించే', 'action-delete' => 'ఈ పేజీని తొలగించే', 'action-deleterevision' => 'ఈ కూర్పుని తొలగించే', 'action-deletedhistory' => 'ఈ పేజీ యొక్క తొలగించిన చరిత్రని చూసే', 'action-browsearchive' => 'తొలగించిన పేజీలలో వెతికే', 'action-undelete' => 'ఈ పేజీని పునఃస్థాపించే', 'action-suppressrevision' => 'ఈ దాచిన కూర్పుని సమీక్షించి పునఃస్థాపించే', 'action-suppressionlog' => 'ఈ అంతరంగిక చిట్టాను చూసే', 'action-block' => 'ఈ వాడుకరిని మార్పులు చేయడం నుండి నిరోధించే', 'action-protect' => 'ఈ పేజీకి సంరక్షణా స్థాయిని మార్చే', 'action-import' => 'మరో వికీ నుండి ఈ పేజీని దిగుమతి చేసే', 'action-importupload' => 'ఎగుమతి చేసిన ఫైలు నుండి ఈ పేజీలోనికి దిగుమతి చేసే', 'action-patrol' => 'ఇతరుల మార్పులను పర్యవేక్షించినవిగా గుర్తించే', 'action-autopatrol' => 'మీ మార్పులను పర్యవేక్షించినవిగా గుర్తించే', 'action-unwatchedpages' => 'వీక్షణలో లేని పేజీల జాబితాని చూసే', 'action-mergehistory' => 'ఈ పేజీ యొక్క చరిత్రని విలీనం చేసే', 'action-userrights' => 'అందరు వాడుకరుల హక్కులను మార్చే', 'action-userrights-interwiki' => 'ఇతర వికీలలో వాడుకరుల యొక్క హక్కులను మార్చే', 'action-siteadmin' => 'డాటాబేసుకి తాళం వేసే లేదా తీసే', 'action-sendemail' => 'ఈ-మెయిల్స్ పంపించు', # Recent changes 'nchanges' => '{{PLURAL:$1|ఒక మార్పు|$1 మార్పులు}}', 'enhancedrc-history' => 'చరితం', 'recentchanges' => 'ఇటీవలి మార్పులు', 'recentchanges-legend' => 'ఇటీవలి మార్పుల ఎంపికలు', 'recentchanges-summary' => 'వికీలో ఇటీవలే జరిగిన మార్పులను ఈ పేజీలో గమనించవచ్చు.', 'recentchanges-feed-description' => 'ఈ ఫీడు ద్వారా వికీలో జరుగుతున్న మార్పుల గురించి ఎప్పటికప్పుడు సమాచారాన్ని పొందండి.', 'recentchanges-label-newpage' => 'ఈ మార్పు కొత్త పేజీని సృష్టించింది', 'recentchanges-label-minor' => 'ఇది ఒక చిన్న మార్పు', 'recentchanges-label-bot' => 'ఈ మార్పును ఒక బాటు చేసింది', 'recentchanges-label-unpatrolled' => 'ఈ దిద్దుబాటు మీద నిఘా లేదు', 'rcnote' => "$4 నాడు $5 సమయానికి, గత {{PLURAL:$2|ఒక్క రోజులో|'''$2''' రోజులలో}} చేసిన చివరి {{PLURAL:$1|ఒక్క మార్పు కింద ఉంది|'''$1''' మార్పులు కింద ఉన్నాయి}}.", 'rcnotefrom' => '<b>$2</b> నుండి జరిగిన మార్పులు (<b>$1</b> వరకు చూపబడ్డాయి).', 'rclistfrom' => '$1 నుండి జరిగిన మార్పులను చూపించు', 'rcshowhideminor' => 'చిన్న మార్పులను $1', 'rcshowhidebots' => 'బాట్లను $1', 'rcshowhideliu' => 'ప్రవేశించిన వాడుకరుల మార్పులను $1', 'rcshowhideanons' => 'అజ్ఞాత వాడుకరులను $1', 'rcshowhidepatr' => 'నిఘాలో ఉన్న మార్పులను $1', 'rcshowhidemine' => 'నా మార్పులను $1', 'rclinks' => 'గత $2 రోజుల లోని చివరి $1 మార్పులను చూపించు <br />$3', 'diff' => 'తేడాలు', 'hist' => 'చరిత్ర', 'hide' => 'దాచు', 'show' => 'చూపించు', 'minoreditletter' => 'చి', 'newpageletter' => 'కొ', 'boteditletter' => 'బా', 'number_of_watching_users_pageview' => '[వీక్షిస్తున్న సభ్యులు: {{PLURAL:$1|ఒక్కరు|$1}}]', 'rc_categories' => 'ఈ వర్గాలకు పరిమితం చెయ్యి ("|" తో వేరు చెయ్యండి)', 'rc_categories_any' => 'ఏదయినా', 'rc-change-size-new' => 'మార్పు తర్వాత $1 {{PLURAL:$1|బైటు|బైట్లు}}', 'newsectionsummary' => '/* $1 */ కొత్త విభాగం', 'rc-enhanced-expand' => 'వివరాలని చూపించు (జావాస్క్రిప్ట్ అవసరం)', 'rc-enhanced-hide' => 'వివరాలను దాచు', 'rc-old-title' => 'మొదట "$1"గా సృష్టించారు', # Recent changes linked 'recentchangeslinked' => 'సంబంధిత మార్పులు', 'recentchangeslinked-feed' => 'సంబంధిత మార్పులు', 'recentchangeslinked-toolbox' => 'పొంతనగల మార్పులు', 'recentchangeslinked-title' => '$1 కు సంబంధించిన మార్పులు', 'recentchangeslinked-summary' => "దీనికి లింకై ఉన్న పేజీల్లో జరిగిన చివరి మార్పులు ఇక్కడ చూడవచ్చు. మీ వీక్షణ జాబితాలో ఉన్న పేజీలు '''బొద్దు'''గా ఉంటాయి.", 'recentchangeslinked-page' => 'పేజీ పేరు:', 'recentchangeslinked-to' => 'ఇచ్చిన పేజీకి లింకయివున్న పేజీలలో జరిగిన మార్పులను చూపించు', # Upload 'upload' => 'దస్త్రపు ఎక్కింపు', 'uploadbtn' => 'దస్త్రాన్ని ఎక్కించు', 'reuploaddesc' => 'మళ్ళీ అప్‌లోడు ఫారంకు వెళ్ళు.', 'upload-tryagain' => 'మార్చిన ఫైలు వివరణని దాఖలుచేయండి', 'uploadnologin' => 'లాగిన్‌ అయిలేరు', 'uploadnologintext' => 'ఫైలు అప్‌లోడు చెయ్యాలంటే, మీరు [[Special:UserLogin|లాగిన్‌]] కావాలి', 'upload_directory_missing' => 'ఎగుమతి డైరెక్టరీ ($1) తప్పింది మరియు వెబ్ సర్వర్ దాన్ని సృష్టించలేకున్నది.', 'upload_directory_read_only' => 'అప్‌లోడు డైరెక్టరీ ($1), వెబ్‌సర్వరు రాసేందుకు అనుకూలంగా లేదు.', 'uploaderror' => 'ఎక్కింపు పొరపాటు', 'upload-recreate-warning' => "'''హెచ్చరిక: ఆ పేరుతో ఉన్న దస్త్రాన్ని తరలించి లేదా తొలగించి ఉన్నారు.''' మీ సౌకర్యం కోసం ఈ పుట యొక్క తొలగింపు మరియు తరలింపు చిట్టాని ఇక్కడ ఇస్తున్నాం:", 'uploadtext' => "దస్త్రాలను ఎక్కించడానికి ఈ కింది ఫారాన్ని ఉపయోగించండి. గతంలో ఎక్కించిన దస్త్రాలను చూడడానికి లేదా వెతకడానికి [[Special:FileList|ఎక్కించిన దస్త్రాల యొక్క జాబితా]]కు వెళ్ళండి, (పునః)ఎక్కింపులు [[Special:Log/upload|ఎక్కింపుల చిట్టా]] లోనూ తొలగింపులు [[Special:Log/delete|తొలగింపుల చిట్టా]] లోనూ కూడా నమోదవుతాయి. ఒక దస్త్రాన్ని ఏదైనా పుటలో చేర్చడానికి, కింద చూపిన వాటిలో ఏదేనీ విధంగా లింకుని వాడండి: * దస్త్రపు పూర్తి కూర్పుని వాడడానికి '''<code><nowiki>[[</nowiki>{{ns:file}}<nowiki>:File.jpg]]</nowiki></code>''' * ఎడమ వైపు మార్జినులో 200 పిక్సెళ్ళ వెడల్పుగల బొమ్మ మరియు 'ప్రత్యామ్నాయ పాఠ్యం' అన్న వివరణతో గల పెట్టె కోసం '''<code><nowiki>[[</nowiki>{{ns:file}}<nowiki>:File.png|200px|thumb|left|ప్రత్యామ్నాయ పాఠ్యం]]</nowiki></code>''' * దస్త్రాన్ని చూపించకుండా నేరుగా లింకు ఇవ్వడానికి '''<code><nowiki>[[</nowiki>{{ns:media}}<nowiki>:File.ogg]]</nowiki></code>'''", 'upload-permitted' => 'అనుమతించే ఫైలు రకాలు: $1.', 'upload-preferred' => 'అనుమతించే ఫైలు రకాలు: $1.', 'upload-prohibited' => 'నిషేధించిన ఫైలు రకాలు: $1.', 'uploadlog' => 'ఎక్కింపుల చిట్టా', 'uploadlogpage' => 'ఎక్కింపుల చిట్టా', 'uploadlogpagetext' => 'ఇటీవల జరిగిన ఫైలు అప్‌లోడుల జాబితా ఇది.', 'filename' => 'ఫైలు పేరు', 'filedesc' => 'సారాంశం', 'fileuploadsummary' => 'సారాంశం:', 'filereuploadsummary' => 'ఫైలు మార్పులు:', 'filestatus' => 'కాపీహక్కు స్థితి:', 'filesource' => 'మూలం:', 'uploadedfiles' => 'ఎగుమతయిన ఫైళ్ళు', 'ignorewarning' => 'హెచ్చరికను పట్టించుకోకుండా ఫైలును భద్రపరచు', 'ignorewarnings' => 'హెచ్చరికలను పట్టించుకోవద్దు', 'minlength1' => 'పైలు పేర్లు కనీసం ఒక్క అక్షరమైనా ఉండాలి.', 'illegalfilename' => '"$1" అనే దస్త్రపుపేరు పేజీ శీర్షికలలో వాడకూడని అక్షరాలను కలిగివుంది. దస్త్రపు పేరుని మార్చి మళ్ళీ ఎక్కించడానికి ప్రయత్నించండి.', 'filename-toolong' => 'దస్త్రపు పేరు 240 బైట్ల కంటే పొడవు ఉండకూడదు.', 'badfilename' => 'ఫైలు పేరు "$1"కి మార్చబడినది.', 'filetype-mime-mismatch' => 'దస్త్రపు పొడగింపు ".$1" ఆ దస్త్రం యొక్క MIME రకం ($2) తో సరిపోలలేదు.', 'filetype-badmime' => '"$1" MIME రకం ఉన్న ఫైళ్ళను ఎగుమతికి అనుమతించం.', 'filetype-bad-ie-mime' => 'ఈ ఫైలుని ఎగుమతి చేయలేరు ఎందుకంటే ఇంటర్నెట్ ఎక్స్‌ప్లోరర్ దీన్ని "$1" గా చూపిస్తుంది, ఇది అనుమతి లేని మరియు ప్రమాదకారమైన ఫైలు రకం.', 'filetype-unwanted-type' => "'''\".\$1\"''' అనేది అవాంఛిత ఫైలు రకం. \$2 {{PLURAL:\$3|అనేది వాడదగ్గ ఫైలు రకం|అనేవి వాడదగ్గ ఫైలు రకాలు}}.", 'filetype-banned-type' => '\'\'\'".$1"\'\'\' {{PLURAL:$4|అనేది అనుమతించబడిన ఫైలు రకం కాదు|అనేవి అనుమతించబడిన ఫైలు రకాలు కాదు}}. అనుమతించబడిన {{PLURAL:$3|ఫైలు రకం|ఫైలు రకాలు}} $2.', 'filetype-missing' => 'ఫైలుకి పొడగింపు (".jpg" లాంటిది) లేదు.', 'empty-file' => 'మీరు సమర్పించిన దస్త్రం ఖాళీగా ఉంది.', 'file-too-large' => 'మీరు సమర్పించిన దస్త్రం చాలా పెద్దగా ఉంది.', 'filename-tooshort' => 'దస్త్రపు పేరు మరీ చిన్నగా ఉంది.', 'filetype-banned' => 'ఈ రకపు దస్త్రాలని నిషేధించాము.', 'verification-error' => 'దస్త్రపు తనిఖీలో ఈ దస్త్రం ఉత్తీర్ణమవలేదు.', 'hookaborted' => 'మీరు చేయప్రత్నించిన మార్పుని ఒక పొడగింత కొక్కెం విచ్ఛిన్నం చేసింది.', 'illegal-filename' => 'ఆ దస్త్రపుపేరు అనుమతించబడదు.', 'overwrite' => 'ఇప్పటికే ఉన్న దస్త్రాన్ని తిరిగరాయడం అనుమతించబడదు.', 'unknown-error' => 'ఏదో తెలియని పొరపాటు జరిగింది.', 'tmp-create-error' => 'తాత్కాలిక దస్త్రాన్ని సృష్టించలేకపోయాం.', 'tmp-write-error' => 'తాత్కాలిక దస్త్రాన్ని రాయడంలో పొరపాటు.', 'large-file' => 'ఫైళ్ళు $1 కంటే పెద్దవిగా ఉండకుండా ఉంటే మంచిది; ఈ ఫైలు $2 ఉంది.', 'largefileserver' => 'ఈ ఫైలు సైజు సర్వరులో విధించిన పరిమితి కంటే ఎక్కువగా ఉంది.', 'emptyfile' => 'మీరు అప్‌లోడు చేసిన ఫైలు ఖాళీగా ఉన్నట్లుంది. ఫైలు పేరును ఇవ్వడంలో స్పెల్లింగు తప్పు దొర్లి ఉండొచ్చు. మీరు అప్‌లోడు చెయ్యదలచింది ఇదో కాదో నిర్ధారించుకోండి.', 'windows-nonascii-filename' => 'దస్త్రాల పేర్లలో ప్రత్యేక అక్షరాలకు ఈ వికీలో తోడ్పాటు లేదు.', 'fileexists' => 'ఈ పేరుతో ఒక ఫైలు ఇప్పటికే ఉంది. దీనిని మీరు మార్చాలో లేదో తెలియకపోతె ఫైలు <strong>[[:$1]]</strong>ని చూడండి. [[$1|thumb]]', 'filepageexists' => 'ఈ ఫైలు కొరకు వివరణ పేజీని <strong>[[:$1]]</strong> వద్ద ఈసరికే సృష్టించారు, కానీ ఆ పేరుతో ప్రస్తుతం ఏ ఫైలూ లేదు. మీరు ఇస్తున్న సంగ్రహం ఆ వివరణ పేజీలో కనబడదు. మీ సంగ్రహం అక్కడ కనబడాలంటే, నేరుగా అక్కడే చేర్చాలి. [[$1|thumb]]', 'fileexists-extension' => 'ఇటువంటి పేరుతో మరో ఫైలు ఉంది: [[$2|thumb]] * ఎగుమతి చేస్తున్న ఫైలు పేరు: <strong>[[:$1]]</strong> * ప్రస్తుతం ఉన్న ఫైలు పేరు: <strong>[[:$2]]</strong> దయచేసి మరో పేరు ఎంచుకోండి.', 'fileexists-thumbnail-yes' => "ఈ ఫైలు కుదించిన బొమ్మ లాగా ఉంది ''(థంబ్‌నెయిలు)''. [[$1|thumb]] <strong>[[:$1]]</strong> ఫైలు చూడండి. గుర్తు పెట్టబడిన ఫైలు అసలు సైజే అది అయితే, మరో థంబ్‌నెయిలును అప్‌లోడు చెయ్యాల్సిన అవసరం లేదు.", 'file-thumbnail-no' => "ఫైలు పేరు <strong>$1</strong> తో మొదలవుతోంది. అది పరిమాణం తగ్గించిన ''(నఖచిత్రం)'' లాగా అనిపిస్తోంది. ఈ బొమ్మ యొక్క పూర్తి స్పష్టత కూర్పు ఉంటే, దాన్ని ఎగుమతి చెయ్యండి. లేదా ఫైలు పేరును మార్చండి.", 'fileexists-forbidden' => 'ఈ పేరుతో ఇప్పటికే ఒక ఫైలు ఉంది, దాన్ని తిరగరాయలేరు. మీరు ఇప్పటికీ ఈ ఫైలుని ఎగుమతి చేయాలనుకుంటే, వెనక్కి వెళ్ళి మరో పేరుతో ఎగుమతి చేయండి. [[File:$1|thumb|center|$1]]', 'fileexists-shared-forbidden' => 'ఈ పేరుతో ఇప్పటికే ఒక ఫైలు అందరి ఫైళ్ళ ఖజానాలో ఉంది. ఇప్పటికీ మీ ఫైలుని ఎగుమతి చేయాలనుకుంటే, వెనక్కివెళ్ళి మరో పేరు వాడండి. [[File:$1|thumb|center|$1]]', 'file-exists-duplicate' => 'ఈ ఫైలు క్రింద పేర్కొన్న {{PLURAL:$1|ఫైలుకి|ఫైళ్ళకి}} నకలు:', 'file-deleted-duplicate' => 'గతంలో ఈ ఫైలు లాంటిదే ఒక ఫైలుని ([[:$1]]) తొలగించివున్నారు. మీరు దీన్ని ఎగుమతి చేసేముందు ఆ ఫైలు యొక్క తొలగింపు చరిత్రని ఒక్కసారి చూడండి.', 'uploadwarning' => 'ఎక్కింపు హెచ్చరిక', 'uploadwarning-text' => 'ఫైలు వివరణని క్రింద మార్చి మళ్ళీ ప్రయత్నించండి.', 'savefile' => 'దస్త్రాన్ని భద్రపరచు', 'uploadedimage' => '"[[$1]]"ని ఎక్కించారు', 'overwroteimage' => '"[[$1]]" యొక్క కొత్త కూర్పును ఎక్కించారు', 'uploaddisabled' => 'క్షమించండి, అప్‌లోడు చెయ్యడం ప్రస్తుతానికి ఆపబడింది', 'copyuploaddisabled' => 'URL ద్వారా ఎక్కింపుని అశక్తం చేసారు.', 'uploadfromurl-queued' => 'మీ ఎక్కింపు వరుసలో ఉంది.', 'uploaddisabledtext' => 'ఫైళ్ళ ఎగుమతులను అచేతనం చేసారు.', 'php-uploaddisabledtext' => 'PHPలో ఫైలు ఎక్కింపులు అచేతనమై ఉన్నాయి. దయచేసి file_uploads అమరికని చూడండి.', 'uploadscripted' => 'ఈ ఫైల్లో HTML కోడు గానీ స్క్రిప్టు కోడు గానీ ఉంది. వెబ్ బ్రౌజరు దాన్ని పొరపాటుగా అనువదించే అవకాశం ఉంది.', 'uploadvirus' => 'ఈ ఫైలులో వైరస్‌ ఉంది! వివరాలు: $1', 'uploadjava' => 'ఇదొక ZIP ఫైలు, ఇందులో ఒక Java .class ఫైలు ఉంది. Java ఫైళ్ళ వలన భద్రతకు తూట్లు పడే అవకాశం ఉంది కాబట్టి, వాటిని ఎక్కించడానికి అనుమతి లేదు.', 'upload-source' => 'మూల దస్త్రం', 'sourcefilename' => 'మూలం ఫైలుపేరు:', 'sourceurl' => 'మూల URL:', 'destfilename' => 'ఉద్దేశించిన ఫైలుపేరు:', 'upload-maxfilesize' => 'గరిష్ట ఫైలు పరిమాణం: $1', 'upload-description' => 'దస్త్రపు వివరణ', 'upload-options' => 'ఎక్కింపు వికల్పాలు', 'watchthisupload' => 'ఈ ఫైలుని గమనించు', 'filewasdeleted' => 'ఇదే పేరుతో ఉన్న ఒక ఫైలును గతంలో అప్లోడు చేసారు, తరువాతి కాలంలో దాన్ని తొలగించారు. దాన్నీ మళ్ళీ అప్లోడు చేసే ముందు, మీరు $1 ను చూడాలి', 'filename-bad-prefix' => "మీరు అప్లోడు చేస్తున్న ఫైలు పేరు '''\"\$1\"''' తో మొదలవుతుంది. ఇది డిజిటల్ కెమెరాలు ఆటోమాటిగ్గా ఇచ్చే పేరు. మరింత వివరంగా ఉండే పేరును ఎంచుకోండి.", 'upload-success-subj' => 'అప్‌లోడు జయప్రదం', 'upload-success-msg' => '[$2] నుండి మీ ఎక్కింపు సఫలమైంది. అది ఇక్కడ అందుబాటులో ఉంది: [[:{{ns:file}}:$1]]', 'upload-failure-subj' => 'ఎక్కింపు సమస్య', 'upload-failure-msg' => '[$2] నుండి మీ ఎక్కింపుతో ఏదో సమస్య ఉంది: $1', 'upload-warning-subj' => 'ఎక్కింపు హెచ్చరిక', 'upload-warning-msg' => '[$2] నుండి మీ ఎక్కింపులో ఏదో సమస్య ఉంది. దాన్ని సరిచేయడానికి మీరు తిరిగి [[Special:Upload/stash/$1|ఎక్కింపు ఫారానికి]] వెళ్ళవచ్చు.', 'upload-proto-error' => 'తప్పు ప్రోటోకోల్', 'upload-proto-error-text' => 'రిమోట్ అప్‌లోడులు చెయ్యాలంటే URLలు <code>http://</code> లేదా <code>ftp://</code> తో మొదలు కావాలి.', 'upload-file-error' => 'అంతర్గత లోపం', 'upload-file-error-text' => 'సర్వరులో తాత్కాలిక ఫైలును సృష్టించబోగా ఏదో అంతర్గత లోపం తలెత్తింది. ఎవరైనా [[Special:ListUsers/sysop|నిర్వాహకుడిని]] సంప్రదించండి.', 'upload-misc-error' => 'తెలియని అప్‌లోడు లోపం', 'upload-misc-error-text' => 'అప్‌లోడు చేస్తూండగా ఏదో తెలియని లోపం తలెత్తింది. URL సరైనదేనని, అది అందుబాటులోనే ఉందని నిర్ధారించుకుని మళ్ళీ ప్రయత్నిందండి. సమస్య అలాగే ఉంటే, సిస్టము నిర్వాహకుని సంప్రదించండి.', 'upload-too-many-redirects' => 'ఆ URLలో చాలా దారిమార్పులు ఉన్నాయి', 'upload-unknown-size' => 'సైజు తెలియదు', 'upload-http-error' => 'ఒక HTTP పొరపాటు జరిగింది: $1', # File backend 'backend-fail-notexists' => '$1 ఫైలు అసలు లేనేలేదు.', 'backend-fail-delete' => '$1 ఫైలును తొలగించలేకున్నాం.', 'backend-fail-alreadyexists' => '$1 అనే దస్త్రం ఇప్పటికే ఉంది.', 'backend-fail-opentemp' => 'తాత్కాలిక దస్త్రాన్ని తెరవలేకపోతున్నాం.', 'backend-fail-closetemp' => 'తాత్కాలిక దస్త్రాన్ని మూసివేయలేకపోయాం.', 'backend-fail-read' => '$1 దస్త్రము చదువలేకపోతిమి.', 'backend-fail-create' => '$1 ఫైలులో రాయలేకున్నాం.', # ZipDirectoryReader 'zip-file-open-error' => 'ఈ ఫైలును ZIP పరీక్ష కోసం తెరవబోతే, ఏదో తెలియని లోపం ఎదురైంది.', 'zip-wrong-format' => 'ఇచ్చినది ZIP ఫైలు కాదు.', 'zip-bad' => 'ఫైలు చెడిపోయిన, లేదా చదవడానికి వీల్లేని ZIP ఫైలు అయ్యుండాలి. దానిపై భద్రతా పరమైన పరీక్ష చెయ్యలేం.', 'zip-unsupported' => 'ఇది MediaWiki కి పట్టులేని ZIP అంశాలు కలిగిన ZIP ఫైలు. దీనిపై సరైన భద్రతా పరీక్షలు చెయ్యలేం.', # Special:UploadStash 'uploadstash-summary' => 'ఎక్కించినప్పటికీ వికీలో ప్రచురితం కాని (లేదా ఎక్కింపు జరుగుతున్న) ఫైళ్ళు ఈ పేజీలో కనిపిస్తాయి. ఈ ఫైళ్ళు ఎక్కించిన వాడుకరికి తప్ప మరొకరికి కనబడవు.', 'uploadstash-badtoken' => 'ఆ చర్య విఫలమైంది. బహుశా మీ ఎడిటింగు అనుమతులకు కాలం చెల్లిందేమో. మళ్ళీ ప్రయత్నించండి.', 'uploadstash-errclear' => 'ఫైళ్ళ తీసివేత విఫలమైంది.', 'uploadstash-refresh' => 'దస్త్రాల జాబిజాను తాజాకరించు', # img_auth script messages 'img-auth-accessdenied' => 'అనుమతిని నిరాకరించారు', 'img-auth-nopathinfo' => 'PATH_INFO లేదు. మీ సర్వరు ఈ సమాచారాన్ని పంపించేందుకు అనువుగా అమర్చి లేదు. అది CGI ఆధారితమై ఉండొచ్చు. అంచేత img_auth కు అనుకూలంగా లేదు. https://www.mediawiki.org/wiki/Manual:Image_Authorization చూడండి.', 'img-auth-notindir' => 'అభ్యర్థించిన తోవ ఎక్కింపు సంచయంలో లేదు.', 'img-auth-badtitle' => '"$1" నుండి సరైన శీర్షికని నిర్మించలేకపోయాం.', 'img-auth-nologinnWL' => 'మీరు ప్రవేశించి లేరు మరియు "$1" అనేది తెల్లజాబితాలో లేదు.', 'img-auth-nofile' => '"$1" అనే ఫైలు ఉనికిలో లేదు.', 'img-auth-isdir' => 'మీరు "$1" అనే సంచయాన్ని చూడడానికి ప్రయత్నిస్తున్నారు. ఫైళ్ళను చూడడానికి మాత్రమే అనుమతివుంది.', 'img-auth-streaming' => '"$1" ను ప్రసారిస్తున్నాం.', 'img-auth-public' => 'img_auth.php యొక్క పని, గోప్యవికీలనుండి ఫైళ్ళ వివరాలను బయట పెట్టడం. ఇది బహిరంగ వికీగా తయారుచేయబడింది. సరైన భద్రత కోసం, img_auth.php ను అచేతనం చేసాం.', 'img-auth-noread' => '"$1"ని చూడడానికి వాడుకరికి అనుమతి లేదు.', 'img-auth-bad-query-string' => 'ఈ URL లో తప్పుడు క్వెరీ స్ట్రింగు ఉంది.', # HTTP errors 'http-invalid-url' => 'తప్పుడు URL: $1', 'http-invalid-scheme' => '"$1" ప్రణాళికలో ఉన్న URLలకు తోడ్పాటులేదు', 'http-request-error' => 'తెలియని పొరపాటు వల్ల HTTP అభ్యర్థన విఫలమైంది.', 'http-read-error' => 'HTTP చదువుటలో పొరపాటు.', 'http-timed-out' => 'HTTP అభ్యర్థనకి కాలం చెల్లింది.', 'http-curl-error' => 'URLని తేవడంలో పొరపాటు: $1', 'http-bad-status' => 'HTTP అభ్యర్ధన చేస్తున్నప్పుడు సమస్య ఉంది: $1 $2', # Some likely curl errors. More could be added from <http://curl.haxx.se/libcurl/c/libcurl-errors.html> 'upload-curl-error6' => 'URL కు వెళ్ళలేకపోయాం', 'upload-curl-error6-text' => 'ఇచ్చిన URL కు వెళ్ళలేకపోయాం. URL సరైనదేనని, సైటు పనిచేస్తూనే ఉన్నదనీ నిర్ధారించుకోండి.', 'upload-curl-error28' => 'అప్లోడు కాలాతీతం', 'upload-curl-error28-text' => 'చాలా సమయం తరువాత కూడా సైటు స్పందించలేదు. సైటు పనిచేస్తూనే ఉందని నిర్ధారించుకుని, కాస్త ఆగి మళ్ళీ ప్రయత్నించండి. రద్దీ కాస్త తక్కువగా ఉన్నపుడు ప్రయత్నిస్తే నయం.', 'license' => 'లైసెన్సు వివరాలు:', 'license-header' => 'లైసెన్సింగ్', 'nolicense' => 'దేన్నీ ఎంచుకోలేదు', 'license-nopreview' => '(మునుజూపు అందుబాటులో లేదు)', 'upload_source_url' => ' (సార్వజనికంగా అందుబాటులో ఉన్న, సరైన URL)', 'upload_source_file' => ' (మీ కంప్యూటర్లో ఒక ఫైలు)', # Special:ListFiles 'listfiles-summary' => 'ఈ ప్రత్యేక పేజీ ఇప్పటి వరకూ ఎక్కించిన దస్త్రాలన్నింటినీ చూపిస్తుంది. వాడుకరి పేరు మీద వడపోసినప్పుడు, ఆ వాడుకరి ఎక్కించిన కూర్పు ఆ దస్త్రం యొక్క సరికొత్త కూర్పు అయితేనే చూపిస్తుంది.', 'listfiles_search_for' => 'మీడియా పేరుకై వెతుకు:', 'imgfile' => 'దస్త్రం', 'listfiles' => 'దస్త్రాల జాబితా', 'listfiles_thumb' => 'నఖచిత్రం', 'listfiles_date' => 'తేదీ', 'listfiles_name' => 'పేరు', 'listfiles_user' => 'వాడుకరి', 'listfiles_size' => 'పరిమాణం', 'listfiles_description' => 'వివరణ', 'listfiles_count' => 'కూర్పులు', # File description page 'file-anchor-link' => 'దస్త్రం', 'filehist' => 'దస్త్రపు చరిత్ర', 'filehist-help' => 'తేదీ/సమయం ను నొక్కి ఆ సమయాన ఫైలు ఎలా ఉండేదో చూడవచ్చు.', 'filehist-deleteall' => 'అన్నిటినీ తొలగించు', 'filehist-deleteone' => 'తొలగించు', 'filehist-revert' => 'తిరుగుసేత', 'filehist-current' => 'ప్రస్తుత', 'filehist-datetime' => 'తేదీ/సమయం', 'filehist-thumb' => 'నఖచిత్రం', 'filehist-thumbtext' => '$1 యొక్క నఖచిత్ర కూర్పు', 'filehist-nothumb' => 'నఖచిత్రం లేదు', 'filehist-user' => 'వాడుకరి', 'filehist-dimensions' => 'కొలతలు', 'filehist-filesize' => 'దస్త్రపు పరిమాణం', 'filehist-comment' => 'వ్యాఖ్య', 'filehist-missing' => 'ఫైలు కనిపించుటలేదు', 'imagelinks' => 'దస్త్రపు వాడుక', 'linkstoimage' => 'కింది {{PLURAL:$1|పేజీ|$1 పేజీల}} నుండి ఈ ఫైలుకి లింకులు ఉన్నాయి:', 'linkstoimage-more' => '$1 కంటే ఎక్కువ {{PLURAL:$1|పేజీలు|పేజీలు}} ఈ ఫైలుకి లింకుని కలిగివున్నాయి. ఈ ఫైలుకి లింకున్న {{PLURAL:$1|మొదటి ఒక పేజీని|మొదటి $1 పేజీలను}} ఈ క్రింది జాబితా చూపిస్తుంది. [[Special:WhatLinksHere/$2|పూర్తి జాబితా]] కూడా ఉంది.', 'nolinkstoimage' => 'ఈ ఫైలుకు లింకున్న పేజీలు లేవు.', 'morelinkstoimage' => 'ఈ ఫైలుకు ఇంకా [[Special:WhatLinksHere/$1| లింకులను]] చూడు', 'linkstoimage-redirect' => '$1 (దస్త్రపు దారిమార్పు) $2', 'duplicatesoffile' => 'క్రింద పేర్కొన్న {{PLURAL:$1|ఫైలు ఈ ఫైలుకి నకలు|$1 ఫైళ్ళు ఈ ఫైలుకి నకళ్ళు}} ([[Special:FileDuplicateSearch/$2|మరిన్ని వివరాలు]]):', 'sharedupload' => 'ఈ ఫైలు $1 నుండి మరియు దీనిని ఇతర ప్రాజెక్టులలో కూడా ఉపయోగిస్తూవుండవచ్చు.', 'sharedupload-desc-there' => 'ఈ ఫైలు $1 నుండి వచ్చింది అలానే ఇతర ప్రాజెక్టులలో కూడా ఉపయోగిస్తూ ఉండవచ్చు. మరింత సమాచారం కోసం, దయచేసి [$2 ఫైలు వివరణ పేజీ]ని చూడండి.', 'sharedupload-desc-here' => 'ఈ ఫైలు $1 నుండి మరియు దీనిని ఇతర ప్రాజెక్టులలో కూడా ఉపయోగిస్తూ ఉండవచ్చు. దీని [$2 ఫైలు వివరణ పేజీ] లో ఉన్న వివరణని క్రింద చూపించాం.', 'filepage-nofile' => 'ఈ పేరుతో ఏ ఫైలు లేదు.', 'filepage-nofile-link' => 'ఈ పేరుతో ఏ ఫైలూ లేదు, కానీ మీరు $1 ను అప్‌లోడ్ చెయ్యవచ్చు.', 'uploadnewversion-linktext' => 'ఈ దస్త్రపు కొత్త కూర్పును ఎక్కించండి', 'shared-repo-from' => '$1 నుండి', 'shared-repo' => 'సామూహిక నిక్షేపం', 'shared-repo-name-wikimediacommons' => 'వికీమీడియా కామన్స్', 'upload-disallowed-here' => 'ఈ దస్త్రాన్ని మీరు తిరగరాయలేరు.', # File reversion 'filerevert' => '$1 ను వెనక్కు తీసుకుపో', 'filerevert-legend' => 'ఫైలును వెనక్కు తీసుకుపో', 'filerevert-intro' => "మీరు '''[[Media:$1|$1]]''' ను [$3, $2 నాటి $4 కూర్పు]కు తీసుకు వెళ్తున్నారు.", 'filerevert-comment' => 'కారణం:', 'filerevert-defaultcomment' => '$2, $1 నాటి కూర్పుకు తీసుకువెళ్ళాం', 'filerevert-submit' => 'వెనక్కు తీసుకువెళ్ళు', 'filerevert-success' => "'''[[Media:$1|$1]]''' ను [$3, $2 నాటి $4 కూర్పు]కు తీసుకువెళ్ళాం.", 'filerevert-badversion' => 'మీరిచ్చిన టైముస్టాంపుతో ఈ ఫైలుకు స్థానిక కూర్పేమీ లేదు.', # File deletion 'filedelete' => '$1ని తొలగించు', 'filedelete-legend' => 'ఫైలుని తొలగించు', 'filedelete-intro' => "మీరు '''[[Media:$1|$1]]''' ఫైలుని దాని చరిత్రతో సహా తొలగించబోతున్నారు.", 'filedelete-intro-old' => "మీరు '''[[Media:$1|$1]]''' యొక్క [$4 $3, $2] నాటి కూర్పును తొలగిస్తున్నారు.", 'filedelete-comment' => 'కారణం:', 'filedelete-submit' => 'తొలగించు', 'filedelete-success' => "'''$1'''ని తొలగించాం.", 'filedelete-success-old' => "'''[[Media:$1|$1]]''' యొక్క $3, $2 నాటి కూర్పును తొలగించాం.</span>", 'filedelete-nofile' => "'''$1''' ఇక్కడ లేదు.", 'filedelete-nofile-old' => "'''$1''' యొక్క పాత కూర్పుల్లో మీరిచ్చిన పరామితులు కలిగిన కూర్పేమీ లేదు.", 'filedelete-otherreason' => 'ఇతర/అదనపు కారణం:', 'filedelete-reason-otherlist' => 'ఇతర కారణం', 'filedelete-reason-dropdown' => '* మామూలు తొలగింపు కారణాలు ** కాపీహక్కుల ఉల్లంఘన ** వేరొక దస్త్రానికి నకలు', 'filedelete-edit-reasonlist' => 'తొలగింపు కారణాలని మార్చండి', 'filedelete-maintenance' => 'సంరక్షణ నిమిత్తం ఫైళ్ళ తొలగింపు మరియు పునస్థాపనలను తాత్కాలికంగా అచేయతనం చేసారు.', 'filedelete-maintenance-title' => 'దస్త్రాన్ని తొలగించలేకపోయాం', # MIME search 'mimesearch' => 'బొమ్మల మెటాడేటా(MIME)ను వెతకండి', 'mimesearch-summary' => 'ఈ పేజీ MIME-రకాన్ననుసరించి ఫైళ్ళను వడగట్టేందుకు దోహదం చేస్తుంది. Input: contenttype/subtype, ఉదా. <code>బొమ్మ/jpeg</code>.', 'mimetype' => 'MIME రకం:', 'download' => 'డౌన్‌లోడు', # Unwatched pages 'unwatchedpages' => 'వీక్షణలో లేని పేజీలు', # List redirects 'listredirects' => 'దారిమార్పుల జాబితా', # Unused templates 'unusedtemplates' => 'వాడని మూసలు', 'unusedtemplatestext' => 'వేరే ఇతర పేజీలలో చేర్చని {{ns:template}} పేరుబరిలోని పేజీలన్నింటినీ ఈ పేజీ చూపిస్తుంది. మూసలను తొలగించే ముందు వాటికి ఉన్న ఇతర లింకుల కోసం చూడడం గుర్తుంచుకోండి.', 'unusedtemplateswlh' => 'ఇతర లింకులు', # Random page 'randompage' => 'యాదృచ్ఛిక పేజీ', 'randompage-nopages' => 'ఈ క్రింది {{PLURAL:$2|పెరుబరిలో|పెరుబరులలో}} పేజీలు ఏమి లేవు:$1', # Random redirect 'randomredirect' => 'యాదృచ్చిక దారిమార్పు', 'randomredirect-nopages' => '"$1" పేరుబరిలో దారిమార్పులేమీ లేవు.', # Statistics 'statistics' => 'గణాంకాలు', 'statistics-header-pages' => 'పేజీ గణాంకాలు', 'statistics-header-edits' => 'మార్పుల గణాంకాలు', 'statistics-header-views' => 'వీక్షణల గణాంకాలు', 'statistics-header-users' => 'వాడుకరులు', 'statistics-header-hooks' => 'ఇతర గణాంకాలు', 'statistics-articles' => 'విషయపు పేజీలు', 'statistics-pages' => 'పేజీలు', 'statistics-pages-desc' => 'ఈ వికీలోని అన్ని పేజీలు (చర్చా పేజీలు, దారిమార్పులు, మొదలైనవన్నీ కలుపుకొని).', 'statistics-files' => 'ఎక్కించిన దస్త్రాలు', 'statistics-edits' => '{{SITENAME}}ని మొదలుపెట్టినప్పటినుండి జరిగిన మార్పులు', 'statistics-edits-average' => 'పేజీకి సగటు మార్పులు', 'statistics-views-total' => 'మొత్తం వీక్షణలు', 'statistics-views-total-desc' => 'ఉనికిలో లేని పుటలకు మరియు ప్రత్యేక పుటలకు వచ్చిన సందర్శనలని కలుపలేదు', 'statistics-views-peredit' => 'ఒక మార్పుకి వీక్షణలు', 'statistics-users' => 'నమోదైన [[Special:ListUsers|వాడుకర్లు]]', 'statistics-users-active' => 'క్రియాశీల వాడుకర్లు', 'statistics-users-active-desc' => 'గత {{PLURAL:$1|రోజు|$1 రోజుల}}లో ఒక్క చర్యైనా చేసిన వాడుకరులు', 'statistics-mostpopular' => 'ఎక్కువగా చూసిన పేజీలు', 'pageswithprop-submit' => 'వెళ్ళు', 'doubleredirects' => 'జంట దారిమార్పులు', 'doubleredirectstext' => 'ఇతర దారిమార్పు పుటలకి తీసుకెళ్ళే దారిమార్పులని ఈ పుట చూపిస్తుంది. ప్రతీ వరుసలో మొదటి మరియు రెండవ దారిమార్పులకు లంకెలు, ఆలానే రెండవ దారిమార్పు పుట యొక్క లక్ష్యం ఉన్నాయి. సాధారణంగా ఈ రెండవ దారిమార్పు యొక్క లక్ష్యమే "అసలైనది", అదే మొదటి దారిమార్పు యొక్క లక్ష్యంగా ఉండాలి. <del>కొట్టివేయబడిన</del> పద్దులు పరిష్కరించబడ్డవి.', 'double-redirect-fixed-move' => '[[$1]]ని తరలించారు, అది ప్రస్తుతం [[$2]]కి దారిమార్పు.', 'double-redirect-fixed-maintenance' => '[[$1]] కు జమిలి దారిమార్పును [[$2]] కు సరిచేస్తున్నాం.', 'double-redirect-fixer' => 'దారిమార్పు సరిద్దువారు', 'brokenredirects' => 'తెగిపోయిన దారిమార్పులు', 'brokenredirectstext' => 'కింది దారిమార్పులు లేని-పేజీలకు మళ్ళించుతున్నాయి:', 'brokenredirects-edit' => 'సవరించు', 'brokenredirects-delete' => 'తొలగించు', 'withoutinterwiki' => 'భాషా లింకులు లేని పేజీలు', 'withoutinterwiki-summary' => 'క్రింది పేజీల నుండి ఇతర భాషా వికీలకు లింకులు లేవు:', 'withoutinterwiki-legend' => 'ఆదిపదం', 'withoutinterwiki-submit' => 'చూపించు', 'fewestrevisions' => 'అతి తక్కువ కూర్పులు కలిగిన వ్యాసాలు', # Miscellaneous special pages 'nbytes' => '$1 {{PLURAL:$1|బైటు|బైట్లు}}', 'ncategories' => '$1 {{PLURAL:$1|వర్గం|వర్గాలు}}', 'ninterwikis' => '$1 {{PLURAL:$1|అంతర్వికీ|అంతర్వికీలు}}', 'nlinks' => '$1 {{PLURAL:$1|లింకు|లింకులు}}', 'nmembers' => '{{PLURAL:$1|ఒక ఉపవర్గం/పేజీ/ఫైలు|$1 ఉపవర్గాలు/పేజీలు/ఫైళ్లు}}', 'nrevisions' => '{{PLURAL:$1|ఒక సంచిక|$1 సంచికలు}}', 'nviews' => '$1 {{PLURAL:$1|దర్శనము|దర్శనలు}}', 'nimagelinks' => '$1 {{PLURAL:$1|పుట|పుటల}}లో ఉపయోగించారు', 'ntransclusions' => '$1 {{PLURAL:$1|పుట|పుటల}}లో ఉపయోగించారు', 'specialpage-empty' => 'ఈ పేజీ ఖాళీగా ఉంది.', 'lonelypages' => 'అనాధ పేజీలు', 'lonelypagestext' => 'కింది పేజీలకు {{SITENAME}}లోని ఏ ఇతర పేజీ నుండి కూడా లింకులు లేవు లేదా ఇవి మరే ఇతర పేజీలోనూ కలపబడలేదు.', 'uncategorizedpages' => 'వర్గీకరించని పేజీలు', 'uncategorizedcategories' => 'వర్గీకరించని వర్గములు', 'uncategorizedimages' => 'వర్గీకరించని బొమ్మలు', 'uncategorizedtemplates' => 'వర్గీకరించని మూసలు', 'unusedcategories' => 'ఉపయోగించని వర్గాలు', 'unusedimages' => 'ఉపయోగించబడని ఫైళ్ళు', 'popularpages' => 'ప్రజాదరణ పొందిన పేజీలు', 'wantedcategories' => 'కోరిన వర్గాలు', 'wantedpages' => 'కోరిన పేజీలు', 'wantedpages-badtitle' => 'ఫలితాల సమితిలో తప్పుడు శీర్షిక: $1', 'wantedfiles' => 'కావలసిన ఫైళ్ళు', 'wantedtemplates' => 'కావాల్సిన మూసలు', 'mostlinked' => 'అధిక లింకులు చూపే పేజీలు', 'mostlinkedcategories' => 'అధిక లింకులు చూపే వర్గాలు', 'mostlinkedtemplates' => 'ఎక్కువగా ఉపయోగించిన మూసలు', 'mostcategories' => 'అధిక వర్గాలలో చేరిన వ్యాసాలు', 'mostimages' => 'అధిక లింకులు గల బొమ్మలు', 'mostrevisions' => 'అధిక సంచికలు గల వ్యాసాలు', 'prefixindex' => 'ఉపసర్గతో అన్ని పేజీలు', 'prefixindex-namespace' => 'ఉపసర్గతో ఉన్న పేజీలు ($1 పేరుబరి)', 'shortpages' => 'చిన్న పేజీలు', 'longpages' => 'పొడవు పేజీలు', 'deadendpages' => 'అగాధ (డెడ్ఎండ్) పేజీలు', 'deadendpagestext' => 'కింది పేజీల నుండి ఈ వికీ లోని ఏ ఇతర పేజీకీ లింకులు లేవు.', 'protectedpages' => 'సంరక్షిత పేజీలు', 'protectedpages-indef' => 'అనంత సంరక్షణ మాత్రమే', 'protectedpages-cascade' => 'కాస్కేడింగు రక్షణలు మాత్రమే', 'protectedpagestext' => 'కింది పేజీలను తరలించకుండా, దిద్దుబాటు చెయ్యకుండా సంరక్షించాము', 'protectedpagesempty' => 'ఈ పరామితులతో ప్రస్తుతం ఏ పేజీలు కూడా సంరక్షించబడి లేవు.', 'protectedtitles' => 'సంరక్షిత శీర్షికలు', 'protectedtitlestext' => 'కింది శీర్షికలతో పేజీలు సృష్టించకుండా సంరక్షించబడ్డాయి', 'protectedtitlesempty' => 'ఈ పరామితులతో ప్రస్తుతం శీర్షికలేమీ సరక్షించబడి లేవు.', 'listusers' => 'వాడుకరుల జాబితా', 'listusers-editsonly' => 'మార్పులు చేసిన వాడుకరులను మాత్రమే చూపించు', 'listusers-creationsort' => 'చేరిన తేదీ క్రమంలో చూపించు', 'usereditcount' => '$1 {{PLURAL:$1|మార్పు|మార్పులు}}', 'usercreated' => '$1 న $2కి {{GENDER:$3|చేరారు}}', 'newpages' => 'కొత్త పేజీలు', 'newpages-username' => 'వాడుకరి పేరు:', 'ancientpages' => 'పాత పేజీలు', 'move' => 'తరలించు', 'movethispage' => 'ఈ పేజీని తరలించు', 'unusedimagestext' => 'ఈ క్రింది ఫైళ్ళు ఉన్నాయి కానీ వాటిని ఏ పేజీలోనూ ఉపయోగించట్లేదు. ఇతర వెబ్ సైట్లు సూటి URL ద్వారా ఇక్కడి ఫైళ్ళకు లింకు ఇవ్వవచ్చు, మరియు ఆవిధంగా క్రియాశీలంగా వాడుకలో ఉన్నప్పటికీ అటువంటివి ఈ జాబితాలో చేరి ఉండవచ్చునని గమనించండి.', 'unusedcategoriestext' => 'కింది వర్గాలకు పేజీలైతే ఉన్నాయి గానీ, వీటిని వ్యాసాలు గానీ, ఇతర వర్గాలు గానీ ఉపయోగించడం లేదు.', 'notargettitle' => 'గమ్యం లేదు', 'notargettext' => 'ఈ పని ఏ పేజీ లేదా సభ్యునిపై జరగాలనే గమ్యాన్ని మీరు సూచించలేదు.', 'nopagetitle' => 'అలాంటి పేజీ లేదు', 'nopagetext' => 'మీరు అడిగిన పేజీ లేదు', 'pager-newer-n' => '{{PLURAL:$1|1 కొత్తది|$1 కొత్తవి}}', 'pager-older-n' => '{{PLURAL:$1|1 పాతది|$1 పాతవి}}', 'suppress' => 'పరాకు', 'querypage-disabled' => 'పనితీరు కారణాల వలన, ఈ ప్రత్యేకపేజీని అశక్తం చేసాం.', # Book sources 'booksources' => 'పుస్తక మూలాలు', 'booksources-search-legend' => 'పుస్తక మూలాల కోసం వెతుకు', 'booksources-go' => 'వెళ్ళు', 'booksources-text' => 'కొత్త, పాత పుస్తకాలు అమ్మే ఇతర సైట్లకు లింకులు కింద ఇచ్చాం. మీరు వెతికే పుస్తకాలకు సంబంధించిన మరింత సమాచారం కూడా అక్కడ దొరకొచ్చు:', 'booksources-invalid-isbn' => 'మీరిచ్చిన ISBN సరైనదిగా అనిపించుటలేదు; అసలు మూలాన్నుండి కాపీ చేయడంలో పొరపాట్లున్నాయేమో చూసుకోండి.', # Special:Log 'specialloguserlabel' => 'కర్త:', 'speciallogtitlelabel' => 'లక్ష్యం (శీర్షిక లేదా వాడుకరి):', 'log' => 'చిట్టాలు', 'all-logs-page' => 'అన్ని బహిరంగ చిట్టాలు', 'alllogstext' => '{{SITENAME}} యొక్క అందుబాటులో ఉన్న అన్ని చిట్టాల యొక్క సంయుక్త ప్రదర్శన. ఒక చిట్టా రకాన్ని గానీ, ఒక వాడుకరి పేరు గానీ (case-sensitive), లేదా ప్రభావిత పుటని (ఇది కూడా case-sensitive) గానీ ఎంచుకుని సంబంధిత చిట్టాను మాత్రమే చూడవచ్చు.', 'logempty' => 'సరిపోలిన అంశాలేమీ చిట్టాలో లేవు.', 'log-title-wildcard' => 'ఈ పాఠ్యంతో మొదలయ్యే పుస్తకాల కొరకు వెతుకు', 'showhideselectedlogentries' => 'ఎంచుకున్న చిట్టా పద్దులను చూపించు/దాచు', # Special:AllPages 'allpages' => 'అన్ని పేజీలు', 'alphaindexline' => '$1 నుండి $2 వరకు', 'nextpage' => 'తరువాతి పేజీ ($1)', 'prevpage' => 'మునుపటి పేజీ ($1)', 'allpagesfrom' => 'ఇక్కడ మొదలు పెట్టి పేజీలు చూపించు:', 'allpagesto' => 'ఇక్కడవరకు ఉన్న పేజీలు చూపించు:', 'allarticles' => 'అన్ని పేజీలు', 'allinnamespace' => 'అన్ని పేజీలు ($1 namespace)', 'allnotinnamespace' => 'అన్ని పేజీలు ($1 నేంస్పేస్ లేనివి)', 'allpagesprev' => 'పూర్వపు', 'allpagesnext' => 'తర్వాతి', 'allpagessubmit' => 'వెళ్లు', 'allpagesprefix' => 'ఈ ఆదిపదం కలిగిన పేజీలను చూపించు:', 'allpagesbadtitle' => 'మీరిచ్చిన పేజీ పేరు సరైనది కాకపోయి ఉండాలి లేదా దానికి భాషాంతర లేదా అంతర్వికీ ఆదిపదమైనా ఉండి ఉండాలి. పేర్లలో వాడకూడని కారెక్టర్లు ఆ పేరులో ఉండి ఉండవచ్చు.', 'allpages-bad-ns' => '{{SITENAME}} లో "$1" అనే నేమ్&zwnj;స్పేస్ లేదు.', 'allpages-hide-redirects' => 'దారిమార్పులను దాచు', # SpecialCachedPage 'cachedspecial-refresh-now' => 'సరికొత్త కూర్పును చూడండి.', # Special:Categories 'categories' => 'వర్గాలు', 'categoriespagetext' => 'ఈ క్రింది {{PLURAL:$1|వర్గం పేజీలను లేదా మాధ్యమాలను కలిగివుంది|వర్గాలు పేజీలను లేదా మాధ్యమాలను కలిగివున్నాయి}}. [[Special:UnusedCategories|వాడుకలో లేని వర్గాలని]] ఇక్కడ చూపించట్లేదు. [[Special:WantedCategories|కోరుతున్న వర్గాలను]] కూడా చూడండి.', 'categoriesfrom' => 'ఇక్కడనుండి మొదలుకొని వర్గాలు చూపించు:', 'special-categories-sort-count' => 'సంఖ్యల ప్రకారం క్రమపరచు', 'special-categories-sort-abc' => 'అకారాది క్రమంలో అమర్చు', # Special:DeletedContributions 'deletedcontributions' => 'తొలగించబడిన వాడుకరి రచనలు', 'deletedcontributions-title' => 'తొలగించబడిన వాడుకరి రచనలు', 'sp-deletedcontributions-contribs' => 'మార్పులు చేర్పులు', # Special:LinkSearch 'linksearch' => 'బయటి లింకుల అన్వేషణ', 'linksearch-pat' => 'వెతకాల్సిన నమూనా:', 'linksearch-ns' => 'పేరుబరి:', 'linksearch-ok' => 'వెతుకు', 'linksearch-text' => '"*.wikipedia.org" వంటి వైల్డ్ కార్డులు వాడవచ్చు.<br />ఉపయోగించుకోగల ప్రోటోకాళ్లు: <code>$1</code>', 'linksearch-line' => '$2 నుండి $1కి లింకు ఉంది', 'linksearch-error' => 'హోస్ట్‌నేముకు ముందు మాత్రమే వైల్డ్ కార్డులు వాడవచ్చు.', # Special:ListUsers 'listusersfrom' => 'వాడుకరులను ఇక్కడ నుండి చూపించు:', 'listusers-submit' => 'చూపించు', 'listusers-noresult' => 'వాడుకరి దొరకలేదు.', 'listusers-blocked' => '(నిరోధించారు)', # Special:ActiveUsers 'activeusers' => 'క్రియాశీల వాడుకరుల జాబితా', 'activeusers-intro' => 'ఇది గత $1 {{PLURAL:$1|రోజులో|రోజులలో}} ఏదైనా కార్యకలాపం చేసిన వాడుకరుల జాబితా.', 'activeusers-count' => 'గడచిన {{PLURAL:$3|ఒక రోజు|$3 రోజుల}}లో $1 {{PLURAL:$1|మార్పు|మార్పులు}}', 'activeusers-from' => 'వాడుకరులను ఇక్కడ నుండి చూపించు:', 'activeusers-hidebots' => 'బాట్లను దాచు', 'activeusers-hidesysops' => 'నిర్వాహకులను దాచు', 'activeusers-noresult' => 'వాడుకరులెవరూ లేరు.', # Special:ListGroupRights 'listgrouprights' => 'వాడుకరి గుంపుల హక్కులు', 'listgrouprights-summary' => 'కింది జాబితాలో ఈ వికీలో నిర్వచించిన వాడుకరి గుంపులు, వాటికి సంబంధించిన హక్కులు ఉన్నాయి. విడివిడిగా హక్కులకు సంబంధించిన మరింత సమాచారం [[{{MediaWiki:Listgrouprights-helppage}}]] వద్ద లభించవచ్చు.', 'listgrouprights-key' => '* <span class="listgrouprights-granted">ప్రసాదించిన హక్కు</span> * <span class="listgrouprights-revoked">వెనక్కి తీసుకున్న హక్కు</span>', 'listgrouprights-group' => 'గుంపు', 'listgrouprights-rights' => 'హక్కులు', 'listgrouprights-helppage' => 'Help:గుంపు హక్కులు', 'listgrouprights-members' => '(సభ్యుల జాబితా)', 'listgrouprights-addgroup' => '{{PLURAL:$2|గుంపుని|గుంపులను}} చేర్చగలరు: $1', 'listgrouprights-removegroup' => '{{PLURAL:$2|గుంపుని|గుంపులను}} తొలగించగలరు: $1', 'listgrouprights-addgroup-all' => 'అన్ని గుంపులను చేర్చగలరు', 'listgrouprights-removegroup-all' => 'అన్ని గుంపులను తొలగించగలరు', 'listgrouprights-addgroup-self' => '{{PLURAL:$2|సమూహాన్ని|సమూహాలని}} తన స్వంత ఖాతాకి చేర్చుకోగలగడం: $1', 'listgrouprights-removegroup-self' => '{{PLURAL:$2|సమూహాన్ని|సమూహాలని}} తన స్వంత ఖాతా నుండి తొలగించుకోవడం: $1', 'listgrouprights-addgroup-self-all' => 'అన్ని సమూహాలని స్వంత ఖాతాకి చేర్చుకోలగడటం', 'listgrouprights-removegroup-self-all' => 'స్వంత ఖాతా నుండి అన్ని సమూహాలనూ తొలగించుకోగలగడం', # Email user 'mailnologin' => 'పంపించవలసిన చిరునామా లేదు', 'mailnologintext' => 'ఇతరులకు ఈ-మెయిలు పంపించాలంటే, మీరు [[Special:UserLogin|లాగిన్‌]] అయి ఉండాలి, మరియు మీ [[Special:Preferences|అభిరుచుల]]లో సరైన ఈ-మెయిలు చిరునామా ఇచ్చి ఉండాలి.', 'emailuser' => 'ఈ వాడుకరికి ఈ-మెయిలుని పంపించండి', 'emailuser-title-target' => 'ఈ {{GENDER:$1|వాడుకరికి}} ఈమెయిలు పంపించండి', 'emailuser-title-notarget' => 'ఈ-మెయిలు వాడుకరి', 'emailpage' => 'వాడుకరికి ఈ-మెయిలుని పంపించు', 'emailpagetext' => 'వాడుకరికి ఈమెయిలు సందేశము పంపించుటకు క్రింది ఫారంను ఉపయోగించవచ్చు. [[Special:Preferences|మీ వాడుకరి అభిరుచుల]]లో మీరిచ్చిన ఈ-మెయిలు చిరునామా "నుండి" ఆ సందేశం వచ్చినట్లుగా ఉంటుంది, కనుక వేగుని అందుకునేవారు నేరుగా మీకు జవాబివ్వగలుగుతారు.', 'usermailererror' => 'మెయిలు ఆబ్జెక్టు ఈ లోపాన్ని చూపింది:', 'defemailsubject' => 'వాడుకరి "$1" నుండి {{SITENAME}} ఈ-మెయిలు', 'usermaildisabled' => 'వాడుకరి ఈ-మెయిళ్ళు అచేతనం చేసారు', 'usermaildisabledtext' => 'ఈ వికీలో మీరు ఇతర వాడుకరులకి ఈ-మెయిళ్ళని పంపించలేరు', 'noemailtitle' => 'ఈ-మెయిలు చిరునామా లేదు', 'noemailtext' => 'ఈ వాడుకరి సరైన ఈ-మెయిలు చిరునామాని ఇవ్వలేదు.', 'nowikiemailtitle' => 'ఈ-మెయిళ్ళను అనుమతించరు', 'nowikiemailtext' => 'ఇతర వాడుకరుల నుండి ఈ-మెయిళ్ళను అందుకోడానికి ఈ వాడుకరి సుముఖంగా లేరు.', 'emailtarget' => 'అందుకొనేవారి వాడుకరిపేరు ఇవ్వండి', 'emailusername' => 'వాడుకరి పేరు:', 'emailusernamesubmit' => 'దాఖలుచెయ్యి', 'email-legend' => 'మరో {{SITENAME}} వాడుకరికి వేగు పంపించండి', 'emailfrom' => 'ఎవరు:', 'emailto' => 'ఎవరికి:', 'emailsubject' => 'విషయం:', 'emailmessage' => 'సందేశం:', 'emailsend' => 'పంపించు', 'emailccme' => 'సందేశపు ఒక ప్రతిని నాకు ఈమెయిలు పంపు.', 'emailccsubject' => '$1 కు మీరు పంపిన సందేశపు ప్రతి: $2', 'emailsent' => 'ఈ-మెయిలు పంపించాం', 'emailsenttext' => 'మీ ఈ-మెయిలు సందేశం పంపబడింది.', 'emailuserfooter' => 'ఈ ఈ-మెయిలుని $2 కి {{SITENAME}} లోని "వాడుకరికి ఈమెయిలు" అనే సౌలభ్యం ద్వారా $1 పంపించారు.', # User Messenger 'usermessage-summary' => 'వ్యవస్థ సందేశాన్ని వదిలివేస్తున్నాం.', 'usermessage-editor' => 'వ్యవస్థ సందేశకులు', # Watchlist 'watchlist' => 'వీక్షణ జాబితా', 'mywatchlist' => 'వీక్షణ జాబితా', 'watchlistfor2' => '$1 కొరకు $2', 'nowatchlist' => 'మీ వీక్షణ జాబితా ఖాళీగా ఉంది.', 'watchlistanontext' => 'మీ వీక్షణ జాబితా లోని అంశాలను చూసేందుకు లేదా మార్చేందుకు మీరు $1.', 'watchnologin' => 'లాగిన్‌ అయిలేరు', 'watchnologintext' => 'మీ వీక్షణ జాబితాను మార్చడానికి మీరు [[Special:UserLogin|లాగిన్‌]] అయి ఉండాలి.', 'addwatch' => 'వీక్షణ జాబితాలో చేర్చు', 'addedwatchtext' => "\"[[:\$1]]\" అనే పుట మీ [[Special:Watchlist|వీక్షణ జాబితా]]లో చేరింది. భవిష్యత్తులో ఈ పుటకి మరియు సంబంధిత చర్చాపుటకి జరిగే మార్పులు అక్కడ కనిపిస్తాయి, మరియు [[Special:RecentChanges|ఇటీవలి మార్పుల జాబితా]]లో సులభంగా గుర్తించడానికి ఈ పుట '''బొద్దుగా''' కనిపిస్తుంది.", 'removewatch' => 'వీక్షణ జాబితా నుండి తొలగించు', 'removedwatchtext' => '"[[:$1]]" అనే పేజీ [[Special:Watchlist|మీ వీక్షణ జాబితా]] నుండి తొలగించబడినది.', 'watch' => 'వీక్షించు', 'watchthispage' => 'ఈ పుట మీద కన్నేసి ఉంచు', 'unwatch' => 'వీక్షించవద్దు', 'unwatchthispage' => 'వీక్షణను ఆపు', 'notanarticle' => 'వ్యాసం పేజీ కాదు', 'notvisiblerev' => 'ఈ కూర్పును తొలగించాం', 'watchlist-details' => 'మీ వీక్షణ జాబితాలో {{PLURAL:$1|ఒక పేజీ ఉంది|$1 పేజీలు ఉన్నాయి}}, చర్చా పేజీలని వదిలేసి.', 'wlheader-enotif' => 'ఈ-మెయిలు ప్రకటనలు పంపబడతాయి.', 'wlheader-showupdated' => "మీ గత సందర్శన తరువాత మారిన పేజీలు '''బొద్దు'''గా చూపించబడ్డాయి.", 'watchmethod-recent' => 'వీక్షణ జాబితాలోని పేజీల కొరకు ఇటీవలి మార్పులు పరిశీలించబడుతున్నాయి', 'watchmethod-list' => 'ఇటీవలి మార్పుల కొరకు వీక్షణ జాబితాలోని పేజీలు పరిశీలించబడుతున్నాయి', 'watchlistcontains' => 'మీ వీక్షణ జాబితాలో {{PLURAL:$1|ఒక పేజీ ఉంది|$1 పేజీలు ఉన్నాయి}}.', 'iteminvalidname' => "'$1' తో ఇబ్బంది, సరైన పేరు కాదు...", 'wlnote' => "$3 నాడు $4 సమయానికి, గడచిన {{PLURAL:$2|గంటలో|'''$2''' గంటలలో}} జరిగిన {{PLURAL:$1|ఒక్క మార్పు కింద ఉంది|'''$1''' మార్పులు కింద ఉన్నాయి}}.", 'wlshowlast' => 'గత $1 గంటలు $2 రోజులు $3 చూపించు', 'watchlist-options' => 'వీక్షణ జాబితా ఎంపికలు', # Displayed when you click the "watch" button and it is in the process of watching 'watching' => 'గమనిస్తున్నాం...', 'unwatching' => 'వీక్షణ నుండి తొలగిస్తున్నా...', 'enotif_mailer' => '{{SITENAME}} ప్రకటన మెయిలు పంపునది', 'enotif_reset' => 'అన్ని పేజీలను చూసినట్లుగా గుర్తించు', 'enotif_impersonal_salutation' => '{{SITENAME}} వాడుకరి', 'enotif_lastvisited' => 'మీ గత సందర్శన తరువాత జరిగిన మార్పుల కొరకు $1 చూడండి.', 'enotif_lastdiff' => 'ఈ మార్పు చూసేందుకు $1 కు వెళ్ళండి.', 'enotif_anon_editor' => 'అజ్ఞాత వాడుకరి $1', 'enotif_body' => 'ప్రియమైన $WATCHINGUSERNAME, {{SITENAME}}లో $PAGETITLE అనే పేజీని $PAGEEDITDATE సమయానికి $PAGEEDITOR $CHANGEDORCREATED, ప్రస్తుత కూర్పు కొరకు $PAGETITLE_URL చూడండి. $NEWPAGE రచయిత సారాంశం: $PAGESUMMARY $PAGEMINOREDIT రచయితను సంప్రదించండి: మెయిలు: $PAGEEDITOR_EMAIL వికీ: $PAGEEDITOR_WIKI మీరు ఈ పేజీకి వెళ్తే తప్ప ఇక ముందు ఈ పేజీకి జరిగే మార్పుల గురించిన వార్తలను మీకు పంపించము. మీ వీక్షణజాబితా లోని అన్ని పేజీలకు ఉన్న గమనింపు జెండాలను మార్చుకోవచ్చు. మీ స్నేహపూర్వక {{SITENAME}} గమనింపుల వ్యవస్థ -- మీ వీక్షణజాబితా అమరికలను మార్చుకునేందుకు, {{canonicalurl:{{#special:EditWatchlist}}}} ని చూడండి. ఈ పేజీని మీ వీక్షణజాబితా నుండి తొలగించుకునేందుకు, $UNWATCHURL కి వెళ్ళండి. మీ అభిప్రాయాలు చెప్పేందుకు మరియు మరింత సహాయానికై: {{canonicalurl:{{MediaWiki:helppage}}}}', 'created' => 'సృష్టించారు', 'changed' => 'మార్చారు', # Delete 'deletepage' => 'పేజీని తొలగించు', 'confirm' => 'ధృవీకరించు', 'excontent' => "ఇదివరకు విషయ సంగ్రహం: '$1'", 'excontentauthor' => 'ఉన్న విషయ సంగ్రహం: "$1" (మరియు దీని ఒకే ఒక్క రచయిత "[[Special:Contributions/$2|$2]]")', 'exbeforeblank' => "ఖాళీ చెయ్యకముందు పేజీలో ఉన్న విషయ సంగ్రహం: '$1'", 'exblank' => 'పేజీ ఖాళీగా ఉంది', 'delete-confirm' => '"$1"ని తొలగించు', 'delete-legend' => 'తొలగించు', 'historywarning' => "'''హెచ్చరిక''': మీరు తొలగించబోయే పేజీకి సుమారు $1 {{PLURAL:$1|కూర్పుతో|కూర్పులతో}} చరిత్ర ఉంది:", 'confirmdeletetext' => 'మీరో పేజీనో, బొమ్మనో దాని చరిత్రతోపాటుగా శాశ్వతంగా డేటాబేసు నుండి తీసెయ్యబోతున్నారు. మీరు చెయ్యదలచింది ఇదేననీ, దీని పర్యవసానాలు మీకు తెలుసనీ, దీన్ని [[{{MediaWiki:Policy-url}}|నిభందనల]] ప్రకారమే చేస్తున్నారనీ నిర్ధారించుకోండి.', 'actioncomplete' => 'పని పూర్తయింది', 'actionfailed' => 'చర్య విఫలమైంది', 'deletedtext' => '"$1" తుడిచివేయబడింది. ఇటీవలి తుడిచివేతలకు సంబంధించిన నివేదిక కొరకు $2 చూడండి.', 'dellogpage' => 'తొలగింపుల చిట్టా', 'dellogpagetext' => 'ఇది ఇటీవలి తుడిచివేతల జాబితా.', 'deletionlog' => 'తొలగింపుల చిట్టా', 'reverted' => 'పాత కూర్పుకు తీసుకువెళ్ళాం.', 'deletecomment' => 'కారణం:', 'deleteotherreason' => 'ఇతర/అదనపు కారణం:', 'deletereasonotherlist' => 'ఇతర కారణం', 'deletereason-dropdown' => '* తొలగింపుకి సాధారణ కారణాలు ** రచయిత అభ్యర్థన ** కాపీహక్కుల ఉల్లంఘన ** దుశ్చర్య', 'delete-edit-reasonlist' => 'తొలగింపు కారణాలని మార్చండి', 'delete-toobig' => 'ఈ పేజీకి $1 {{PLURAL:$1|కూర్పుకు|కూర్పులకు}} మించిన, చాలా పెద్ద దిద్దుబాటు చరితం ఉంది. {{SITENAME}}కు అడ్డంకులు కలగడాన్ని నివారించేందుకు గాను, అలాంటి పెద్ద పేజీల తొలగింపును నియంత్రించాం.', 'delete-warning-toobig' => 'ఈ పేజీకి $1 {{PLURAL:$1|కూర్పుకు|కూర్పులకు}} మించిన, చాలా పెద్ద దిద్దుబాటు చరితం ఉంది. దాన్ని తొలగిస్తే {{SITENAME}}కి చెందిన డేటాబేసు కార్యాలకు ఆటంకం కలగొచ్చు; అప్రమత్తతో ముందుకుసాగండి.', # Rollback 'rollback' => 'దిద్దుబాట్లను రద్దుచేయి', 'rollback_short' => 'రద్దుచేయి', 'rollbacklink' => 'రద్దుచేయి', 'rollbacklinkcount' => '$1 {{PLURAL:$1|మార్పును|మార్పులను}} రద్దుచేయి', 'rollbacklinkcount-morethan' => '$1 కంటే ఎక్కువ {{PLURAL:$1|మార్పును|మార్పులను}} రద్దుచేయి', 'rollbackfailed' => 'రద్దుచేయటం విఫలమైంది', 'cantrollback' => 'రచనను వెనక్కి తీసుకువెళ్ళలేము; ఈ పేజీకి ఇదొక్కటే రచన.', 'alreadyrolled' => '[[:$1]]లో [[User:$2|$2]] ([[User talk:$2|చర్చ]]{{int:pipe-separator}}[[Special:Contributions/$2|{{int:contribslink}}]]) చేసిన చివరి మార్పును రద్దు చెయ్యలేము; మరెవరో ఆ పేజీని వెనక్కి మళ్ళించారు, లేదా మార్చారు. చివరి మార్పులు చేసినవారు: [[User:$3|$3]] ([[User talk:$3|చర్చ]]{{int:pipe-separator}}[[Special:Contributions/$3|{{int:contribslink}}]]).', 'editcomment' => "దిద్దుబాటు సారాశం: \"''\$1''\".", 'revertpage' => '[[Special:Contributions/$2|$2]] ([[User talk:$2|చర్చ]]) చేసిన మార్పులను [[User:$1|$1]] యొక్క చివరి కూర్పు వరకు తిప్పికొట్టారు.', 'revertpage-nouser' => '(తొలగించిన వాడుకరిపేరు) చేసిన మార్పులను [[User:$1|$1]] యొక్క చివరి కూర్పుకి తిప్పికొట్టారు', 'rollback-success' => '$1 చేసిన దిద్దుబాట్లను వెనక్కు తీసుకెళ్ళాం; తిరిగి $2 చేసిన చివరి కూర్పుకు మార్చాం.', # Edit tokens 'sessionfailure-title' => 'సెషను వైఫల్యం', 'sessionfailure' => 'మీ ప్రవేశపు సెషనుతో ఏదో సమస్య ఉన్నట్లుంది; సెషను హైజాకు కాకుండా ఈ చర్యను రద్దు చేసాం. "back" కొట్టి, ఎక్కడి నుండి వచ్చారో ఆ పేజీని మళ్ళీ లోడు చేసి, తిరిగి ప్రయత్నించండి.', # Protect 'protectlogpage' => 'సంరక్షణల చిట్టా', 'protectlogtext' => 'ఈ క్రింద ఉన్నది పేజీల సంరక్షణలకు జరిగిన మార్పుల జాబితా. ప్రస్తుతం అమలులో ఉన్న సంరక్షణలకై [[Special:ProtectedPages|సంరక్షిత పేజీల జాబితా]]ను చూడండి.', 'protectedarticle' => '"[[$1]]" సంరక్షించబడింది.', 'modifiedarticleprotection' => '"[[$1]]" సరక్షణ స్థాయిని మార్చాం', 'unprotectedarticle' => '"[[$1]]" యొక్క సంరక్షణను తొలగించారు', 'movedarticleprotection' => 'సంరక్షణా అమరికని "[[$2]]" నుండి "[[$1]]"కి మార్చారు', 'protect-title' => '"$1" యొక్క సంరక్షణ స్థాయి అమర్పు', 'protect-title-notallowed' => '"$1" యొక్క సంరక్షణ స్థాయి', 'prot_1movedto2' => '$1, $2కు తరలించబడింది', 'protect-badnamespace-text' => 'ఈ పేరుబరిలో ఉన్న పేజీలను సంరక్షించలేరు.', 'protect-legend' => 'సంరక్షణను నిర్ధారించు', 'protectcomment' => 'కారణం:', 'protectexpiry' => 'గడువు:', 'protect_expiry_invalid' => 'గడువు సమయాన్ని సరిగ్గా ఇవ్వలేదు.', 'protect_expiry_old' => 'మీరిచ్చిన గడువు ప్రస్తుత సమయం కంటే ముందు ఉంది.', 'protect-unchain-permissions' => 'మరిన్ని సంరక్షణ వికల్పాలను తెరువు', 'protect-text' => "ఈ పెజీ '''$1''' ఎంత సంరక్షణలొ వుందో మీరు ఇక్కడ చూడవచ్చు, మార్చవచ్చు.", 'protect-locked-blocked' => "నిరోధించబడి ఉండగా మీరు సంరక్షణ స్థాయిని మార్చలేరు. ప్రస్తుతం '''$1''' పేజీకి ఉన్న సెట్టింగులివి:", 'protect-locked-dblock' => "ప్రస్తుతం అమల్లో ఉన్న డేటాబేసు లాకు కారణంగా సంరక్షణ స్థాయిని సెట్ చెయ్యడం కుదరదు. ప్రస్తుతం '''$1''' పేజీకి ఉన్న సెట్టింగులివి:", 'protect-locked-access' => "మీ ఖాతకు పేజీ రక్షన స్థాయిని మార్చే హక్కులు లేవు. '''$1''' అనే పేరున్న ఈ పేజీకి ప్రస్తుతం ఈ రక్షణ ఉంది:", 'protect-cascadeon' => 'ఈ పేజీ కాస్కేడింగు రక్షణలో ఉన్న ఈ కింది {{PLURAL:$1|పేజీకి|పేజీలకు}} జతచేయటం వలన, ప్రస్తుతం రక్షణలో ఉంది. మీరు ఈ పేజీ యొక్క రక్షణ స్థాయిన మార్చవచ్చు, దాని వలన కాస్కేడింగు రక్షణకు ఎటువంటి సమస్య ఉండదు.', 'protect-default' => 'అందరు వాడుకరులను అనుమతించు', 'protect-fallback' => '"$1" అనుమతి ఉన్న వాడుకరులను మాత్రమే అనుమతించు', 'protect-level-autoconfirmed' => 'కొత్త మరియు నమోదుకాని వాడుకరులను నిరోధించు', 'protect-level-sysop' => 'నిర్వాహకులను మాత్రమే అనుమతించు', 'protect-summary-cascade' => 'కాస్కేడింగు', 'protect-expiring' => '$1 (UTC)న కాలంచెల్లుతుంది', 'protect-expiring-local' => '$1న కాలంచెల్లుతుంది', 'protect-expiry-indefinite' => 'నిరవధికం', 'protect-cascade' => 'ఈ పేజీకి జతపరిచిన పేజీలను కూడా రక్షించు (కాస్కేడింగు రక్షణ)', 'protect-cantedit' => 'ఈ పేజీ యొక్క సంరక్షణా స్థాయిని మీరు మార్చలేరు, ఎందుకంటే దాన్ని మార్చే అనుమతి మీకు లేదు.', 'protect-othertime' => 'ఇతర సమయం:', 'protect-othertime-op' => 'ఇతర సమయం', 'protect-existing-expiry' => 'ప్రస్తుత కాల పరిమితి: $3, $2', 'protect-otherreason' => 'ఇతర/అదనపు కారణం:', 'protect-otherreason-op' => 'ఇతర కారణం', 'protect-dropdown' => '*సాధారణ సంరక్షణ కారణాలు ** అత్యధిక వాండలిజం ** అత్యధిక స్పామింగు ** నిర్మాణాత్మకంగా లేని మార్పుల యుద్ధం ** అధిక రద్దీగల పేజీ', 'protect-edit-reasonlist' => 'సంరక్షణా కారణాలని మార్చండి', 'protect-expiry-options' => '1 గంట:1 hour,1 రోజు:1 day,1 వారం:1 week,2 వారాలు:2 weeks,1 నెల:1 month,3 నెలలు:3 months,6 నెలలు:6 months,1 సంవత్సరం:1 year,ఎప్పటికీ:infinite', 'restriction-type' => 'అనుమతి:', 'restriction-level' => 'నియంత్రణ స్థాయి:', 'minimum-size' => 'కనీస పరిమాణం', 'maximum-size' => 'గరిష్ఠ పరిమాణం', 'pagesize' => '(బైట్లు)', # Restrictions (nouns) 'restriction-edit' => 'మార్చు', 'restriction-move' => 'తరలించు', 'restriction-create' => 'సృష్టించు', 'restriction-upload' => 'ఎక్కించు', # Restriction levels 'restriction-level-sysop' => 'పూర్తి సంరక్షణ', 'restriction-level-autoconfirmed' => 'అర్థ సంరక్షణ', 'restriction-level-all' => 'ఏ స్థాయి అయినా', # Undelete 'undelete' => 'తుడిచివేయబడ్డ పేజీలను చూపించు', 'undeletepage' => 'తుడిచివేయబడిన పేజీలను చూపించు, పునఃస్థాపించు', 'undeletepagetitle' => "'''క్రింద చూపిస్తున్నవి [[:$1]] యొక్క తొలగించిన మార్పులు'''.", 'viewdeletedpage' => 'తొలగించిన పేజీలను చూడండి', 'undeletepagetext' => 'క్రింది {{PLURAL:$1|పేజీని|$1 పేజీలను}} తొలగించారు, కానీ పునఃస్థాపనకు వీలుగా భండాగారంలో ఉన్నాయి. భండాగారం నిర్ణీత వ్యవధులలో పూర్తిగా ఖాళీ చేయబడుతుంటుంది.', 'undelete-fieldset-title' => 'కూర్పులను పునఃస్థాపించండి', 'undeleteextrahelp' => "పేజీ యొక్క మొత్తం చరిత్రను పునస్థాపించేందుకు, చెక్ బాక్సులన్నిటినీ ఖాళీగా ఉంచి, '''''{{int:undeletebtn}}''''' నొక్కండి. కొన్ని కూర్పులను మాత్రమే పుసస్థాపించదలిస్తే, సదరు కూర్పులకు ఎదురుగా ఉన్న చెక్ బాక్సులలో టిక్కు పెట్టి, '''''{{int:undeletebtn}}''''' నొక్కండి.", 'undeleterevisions' => '$1 {{PLURAL:$1|కూర్పును|కూర్పులను}} భాండారానికి చేర్చాం', 'undeletehistory' => 'పేజీని పునఃస్థాపిస్తే, అన్ని సంచికలూ పేజీచరిత్ర దినచర్యలోకి పునఃస్థాపించబడతాయి. తుడిచివేయబడిన తరువాత, అదే పేరుతో వేరే పేజీ సృష్టించబడి ఉంటే, పునఃస్థాపించిన సంచికలు ముందరి చరిత్రలోకి వెళ్తాయి.', 'undeleterevdel' => 'తొలగింపును రద్దు చేస్తున్నప్పుడు, అన్నిటికంటే పైనున్న కూర్పు పాక్షికంగా తొలగింపబడే పక్షంలో తొలగింపు-రద్దు జరగదు. అటువంటి సందర్భాల్లో, తొలగించిన కూర్పులలో కొత్తవాటిని ఎంచుకోకుండా ఉండాలి, లేదా దాపు నుండి తీసెయ్యాలి.', 'undeletehistorynoadmin' => 'ఈ పుటని తొలగించివున్నారు. తొలగింపునకు కారణం, తొలగింపునకు క్రితం ఈ పుటకి మార్పులు చేసిన వాడుకరుల వివరాలతో సహా, ఈ కింద సారాంశంలో చూపబడింది. తొలగించిన కూర్పులలోని వాస్తవ పాఠ్యం నిర్వాహకులకు మాత్రమే అందుబాటులో ఉంటుంది.', 'undelete-revision' => '$1 యొక్క తొలగించబడిన కూర్పు (చివరగా $4 నాడు, $5కి $3 మార్చారు):', 'undeleterevision-missing' => 'తప్పుడు లేదా తప్పిపోయిన కూర్పు. మీరు నొక్కింది తప్పుడు లింకు కావచ్చు, లేదా భాండాగారం నుండి కూర్పు పునఃస్థాపించబడి లేదా తొలగించబడి ఉండవచ్చు.', 'undelete-nodiff' => 'గత కూర్పులేమీ లేవు.', 'undeletebtn' => 'పునఃస్థాపించు', 'undeletelink' => 'చూడండి/పునస్థాపించండి', 'undeleteviewlink' => 'చూడండి', 'undeletereset' => 'మునుపటి వలె', 'undeleteinvert' => 'ఎంపికని తిరగవెయ్యి', 'undeletecomment' => 'కారణం:', 'undeletedrevisions' => '{{PLURAL:$1|ఒక సంచిక|$1 సంచికల}} పునఃస్థాపన జరిగింది', 'undeletedrevisions-files' => '{{PLURAL:$1|ఒక కూర్పు|$1 కూర్పులు}} మరియు {{PLURAL:$2|ఒక ఫైలు|$2 ఫైళ్ళ}}ను పునస్థాపించాం', 'undeletedfiles' => '{{PLURAL:$1|ఒక ఫైలును|$1 ఫైళ్లను}} పునఃస్థాపించాం', 'cannotundelete' => 'తొలగింపు రద్దు విఫలమైంది: $1', 'undeletedpage' => "'''$1 ను పునస్థాపించాం''' ఇటీవల జరిగిన తొలగింపులు, పునస్థాపనల కొరకు [[Special:Log/delete|తొలగింపు చిట్టా]]ని చూడండి.", 'undelete-header' => 'ఇటీవల తొలగించిన పేజీల కొరకు [[Special:Log/delete|తొలగింపు చిట్టా]]ని చూడండి.', 'undelete-search-title' => 'తొలగించిన పేజీల అన్వేషణ', 'undelete-search-box' => 'తొలగించిన పేజీలను వెతుకు', 'undelete-search-prefix' => 'దీనితో మొదలయ్యే పేజీలు చూపించు:', 'undelete-search-submit' => 'వెతుకు', 'undelete-no-results' => 'తొలగింపు సంగ్రహాల్లో దీనిని పోలిన పేజీలు లేవు.', 'undelete-filename-mismatch' => '$1 టైమ్‌స్టాంపు కలిగిన ఫైలుకూర్పు తొలగింపును రద్దు చెయ్యలేకపోయాం: ఫైలుపేరు సరిపోలలేదు', 'undelete-bad-store-key' => '$1 టైమ్‌స్టాంపు కలిగిన ఫైలు తొలగింపును రద్దు చెయ్యలేకున్నాం: తొలగింపుకు ముందే ఫైలు కనబడటం లేదు.', 'undelete-cleanup-error' => 'వాడని భాండారం ఫైలు "$1" తొలగింపును రద్దు చెయ్యడంలో లోపం దొర్లింది.', 'undelete-missing-filearchive' => 'ID $1 కలిగిన భాండారం ఫైలు డేటాబేసులో లేకపోవడం చేత దాన్ని పునస్థాపించలేకున్నాం. దాని తొలగింపును ఇప్పటికే రద్దుపరచి ఉండవచ్చు.', 'undelete-error-short' => 'ఫైలు $1 తొలగింపును రద్దు పరచడంలో లోపం దొర్లింది', 'undelete-error-long' => 'ఫైలు $1 తొలగింపును రద్దు పరచడంలో లోపాలు దొర్లాయి', 'undelete-show-file-confirm' => '$2 నాడు $3 సమయాన ఉన్న "<nowiki>$1</nowiki>" ఫైలు యొక్క తొలగించిన కూర్పుని మీరు నిజంగానే చూడాలనుకుంటున్నారా?', 'undelete-show-file-submit' => 'అవును', # Namespace form on various pages 'namespace' => 'పేరుబరి:', 'invert' => 'ఎంపికను తిరగవెయ్యి', 'namespace_association' => 'సంబంధిత పేరుబరి', 'blanknamespace' => '(మొదటి)', # Contributions 'contributions' => '{{GENDER:$1|వాడుకరి}} రచనలు', 'contributions-title' => '$1 యొక్క మార్పులు-చేర్పులు', 'mycontris' => 'మార్పులు చేర్పులు', 'contribsub2' => '$1 ($2) కొరకు', 'nocontribs' => 'ఈ విధమైన మార్పులేమీ దొరకలేదు.', 'uctop' => '(పైది)', 'month' => 'ఈ నెల నుండి (అంతకు ముందువి):', 'year' => 'ఈ సంవత్సరం నుండి (అంతకు ముందువి):', 'sp-contributions-newbies' => 'కొత్త ఖాతాల యొక్క రచనలని మాత్రమే చూపించు', 'sp-contributions-newbies-sub' => 'కొత్తవారి కోసం', 'sp-contributions-newbies-title' => 'కొత్త ఖాతాల వాడుకరుల మార్పుచేర్పులు', 'sp-contributions-blocklog' => 'నిరోధాల చిట్టా', 'sp-contributions-deleted' => 'తొలగించబడిన వాడుకరి రచనలు', 'sp-contributions-uploads' => 'ఎక్కింపులు', 'sp-contributions-logs' => 'చిట్టాలు', 'sp-contributions-talk' => 'చర్చ', 'sp-contributions-userrights' => 'వాడుకరి హక్కుల నిర్వహణ', 'sp-contributions-blocked-notice' => 'ఈ వాడుకరిపై ప్రస్తుతం నిరోధం ఉంది. నిరోధపు చిట్టాలోని చివరి పద్దుని మీ సమాచారంకోసం ఇస్తున్నాం:', 'sp-contributions-blocked-notice-anon' => 'ఈ ఐపీ చిరునామాపై ప్రస్తుతం నిరోధం ఉంది. నిరోధపు చిట్టాలోని చివరి పద్దుని మీ సమాచారంకోసం ఇస్తున్నాం:', 'sp-contributions-search' => 'రచనల కోసం అన్వేషణ', 'sp-contributions-username' => 'ఐపీ చిరునామా లేదా వాడుకరిపేరు:', 'sp-contributions-toponly' => 'చిట్టచివరి కూర్పులను మాత్రమే చూపించు', 'sp-contributions-submit' => 'వెతుకు', # What links here 'whatlinkshere' => 'ఇక్కడికి లంకెలున్నవి', 'whatlinkshere-title' => '"$1"కి లింకున్న పుటలు', 'whatlinkshere-page' => 'పేజీ:', 'linkshere' => "కిందనున్న పేజీల నుండి '''[[:$1]]'''కు లింకులు ఉన్నాయి:", 'nolinkshere' => "'''[[:$1]]'''కు ఏ పేజీ నుండీ లింకు లేదు.", 'nolinkshere-ns' => "'''[[:$1]]''' పేజీకి లింకయ్యే పేజీలు ఎంచుకున్న నేంస్పేసులో లేవు.", 'isredirect' => 'దారిమార్పు పుట', 'istemplate' => 'పేజీకి జతపరిచారు', 'isimage' => 'దస్త్రపు లంకె', 'whatlinkshere-prev' => '{{PLURAL:$1|మునుపటిది|మునుపటి $1}}', 'whatlinkshere-next' => '{{PLURAL:$1|తరువాతది|తరువాతి $1}}', 'whatlinkshere-links' => '← లంకెలు', 'whatlinkshere-hideredirs' => 'దారిమార్పులను $1', 'whatlinkshere-hidetrans' => '$1 ట్రాన్స్‌క్లూజన్లు', 'whatlinkshere-hidelinks' => 'లింకులను $1', 'whatlinkshere-hideimages' => '$1 దస్త్రాల లంకెలు', 'whatlinkshere-filters' => 'వడపోతలు', # Block/unblock 'autoblockid' => 'tanaDDu #$1', 'block' => 'వాడుకరి నిరోధం', 'unblock' => 'వాడుకరిపై నిరోధాన్ని తీసెయ్యండి', 'blockip' => 'వాడుకరి నిరోధం', 'blockip-title' => 'వాడుకరిని నిరోధించు', 'blockip-legend' => 'వాడుకరి నిరోధం', 'blockiptext' => 'ఏదైనా ప్రత్యేక ఐపీ చిరునామానో లేదా వాడుకరిపేరునో రచనలు చెయ్యకుండా నిరోధించాలంటే కింది ఫారాన్ని వాడండి. కేవలం దుశ్చర్యల నివారణ కోసం మాత్రమే దీన్ని వాడాలి, అదికూడా [[{{MediaWiki:Policy-url}}|విధానాన్ని]] అనుసరించి మాత్రమే. స్పష్టమైన కారణాన్ని కింద రాయండి (ఉదాహరణకు, దుశ్చర్యలకు పాల్పడిన పేజీలను ఉదహరించండి).', 'ipadressorusername' => 'ఐపీ చిరునామా లేదా వాడుకరిపేరు:', 'ipbexpiry' => 'అంతమయ్యే గడువు', 'ipbreason' => 'కారణం:', 'ipbreasonotherlist' => 'ఇతర కారణం', 'ipbreason-dropdown' => '*సాధారణ నిరోధ కారణాలు ** తప్పు సమాచారాన్ని చొప్పించడం ** పేజీల్లోని సమాచారాన్ని తీసెయ్యడం ** బయటి సైట్లకు లంకెలతో స్పాము చెయ్యడం ** పేజీల్లోకి చెత్తను ఎక్కించడం ** బెదిరింపు ప్రవర్తన/వేధింపులు ** అనేక ఖాతాలను సృష్టించి దుశ్చర్యకు పాల్పడడం ** అనుచితమైన వాడుకరి పేరు ** అదుపు తప్పిన బాటు', 'ipb-hardblock' => 'లాగినై ఉన్న వాడుకరులు ఈ ఐపీ అడ్రసు నుంచి మార్పుచేర్పులు చెయ్యకుండా నిరోధించండి', 'ipbcreateaccount' => 'ఖాతా సృష్టింపుని నివారించు', 'ipbemailban' => 'వాడుకరిని ఈ-మెయిల్ చెయ్యకుండా నివారించు', 'ipbenableautoblock' => 'ఈ వాడుకరి వాడిన చివరి ఐపీ అడ్రసును, అలాగే ఆ తరువాత వాడే అడ్రసులను కూడా ఆటోమాటిగ్గా నిరోధించు', 'ipbsubmit' => 'ఈ సభ్యుని నిరోధించు', 'ipbother' => 'వేరే గడువు', 'ipboptions' => '2 గంటలు:2 hours,1 రోజు:1 day,3 రోజులు:3 days,1 వారం:1 week,2 వారాలు:2 weeks,1 నెల:1 month,3 నెలలు:3 months,6 నెలలు:6 months,1 సంవత్సరం:1 year,ఎప్పటికీ:infinite', 'ipbotheroption' => 'వేరే', 'ipbotherreason' => 'ఇతర/అదనపు కారణం', 'ipbhidename' => 'మార్పులు మరియు జాబితాల నుండి ఈ వాడుకరిపేరుని దాచు', 'ipbwatchuser' => 'ఈ సభ్యుని సభ్యుని పేజీ, చర్చాపేజీలను వీక్షణలో ఉంచు', 'ipb-disableusertalk' => 'నిరోధంలో ఉండగా ఈ వాడుకరి తన స్వంత చర్చ పేజీలో మార్పుచేర్పులు చెయ్యకుండా నిరోధించు', 'ipb-change-block' => 'ఈ అమరికలతో వాడుకరిని పునర్నిరోధించు', 'ipb-confirm' => 'నిరోధాన్ని ధృవపరచండి', 'badipaddress' => 'సరైన ఐ.పి. అడ్రసు కాదు', 'blockipsuccesssub' => 'నిరోధం విజయవంతం అయింది', 'blockipsuccesstext' => '[[Special:Contributions/$1|$1]] నిరోధించబడింది. <br />నిరోధాల సమీక్ష కొరకు [[Special:BlockList|ఐ.పి. నిరొధాల జాబితా]] చూడండి.', 'ipb-blockingself' => 'మిమ్మల్ని మీరే నిరోధించుకోబోతున్నారు! అదే మీ నిశ్చయమా?', 'ipb-edit-dropdown' => 'నిరోధపు కారణాలను మార్చండి', 'ipb-unblock-addr' => '$1 పై ఉన్న నిరోధాన్ని తొలగించండి', 'ipb-unblock' => 'వాడుకరి పేరుపై లేదా ఐపీ చిరునామాపై ఉన్న నిరోధాన్ని తొలగించండి', 'ipb-blocklist' => 'అమల్లో ఉన్న నిరోధాలను చూపించు', 'ipb-blocklist-contribs' => '$1 యొక్క మార్పులు-చేర్పులు', 'unblockip' => 'సభ్యునిపై నిరోధాన్ని తొలగించు', 'unblockiptext' => 'కింది ఫారం ఉపయోగించి, నిరోధించబడిన ఐ.పీ. చిరునామా లేదా సభ్యునికి తిరిగి రచనలు చేసే అధికారం ఇవ్వవచ్చు.', 'ipusubmit' => 'ఈ నిరోధాన్ని తొలగించు', 'unblocked' => '[[User:$1|$1]]పై నిరోధం తొలగించబడింది', 'unblocked-range' => '$1 పై నిరోధాన్ని తీసేసాం', 'unblocked-id' => '$1 అనే నిరోధాన్ని తొలగించాం', 'blocklist' => 'నిరోధిత వాడుకరులు', 'ipblocklist' => 'నిరోధించబడిన వాడుకరులు', 'ipblocklist-legend' => 'నిరోధించబడిన వాడుకరిని వెతకండి', 'blocklist-userblocks' => 'ఖాతా నిరోధాలను దాచు', 'blocklist-tempblocks' => 'తాత్కాలిక నిరోధాలను దాచు', 'blocklist-addressblocks' => 'ఏకైక ఐపీ నిరోధాలను దాచు', 'blocklist-timestamp' => 'కాలముద్ర', 'blocklist-target' => 'గమ్యం', 'blocklist-expiry' => 'కాలం చేల్లేది', 'blocklist-by' => 'నిర్వాహకుని నిరోధం', 'blocklist-params' => 'నిరోధపు పరామితులు', 'blocklist-reason' => 'కారణం', 'ipblocklist-submit' => 'వెతుకు', 'ipblocklist-localblock' => 'స్థానిక నిరోధం', 'ipblocklist-otherblocks' => 'ఇతర {{PLURAL:$1|నిరోధం|నిరోధాలు}}', 'infiniteblock' => 'అనంతం', 'expiringblock' => '$1 నాడు $2కి కాలం చెల్లుతుంది', 'anononlyblock' => 'అజ్ఞాతవ్యక్తులు మాత్రమే', 'noautoblockblock' => 'ఆటోమాటిక్ నిరోధాన్ని అశక్తం చేసాం', 'createaccountblock' => 'ఖాతా తెరవడాన్ని నిరోధించాము', 'emailblock' => 'ఈ-మెయిలుని నిరోధించాం', 'blocklist-nousertalk' => 'తమ చర్చాపేజీని మార్చలేరు', 'ipblocklist-empty' => 'నిరోధపు జాబితా ఖాళీగా ఉంది.', 'ipblocklist-no-results' => 'మీరడిగిన ఐపీ అడ్రసు లేదా సభ్యనామాన్ని నిరోధించలేదు.', 'blocklink' => 'నిరోధించు', 'unblocklink' => 'నిరోధాన్ని ఎత్తివేయి', 'change-blocklink' => 'నిరోధాన్ని మార్చండి', 'contribslink' => 'రచనలు', 'emaillink' => 'ఈ-మెయిలును పంపించు', 'autoblocker' => 'మీ ఐ.పీ. అడ్రసును "[[User:$1|$1]]" ఇటీవల వాడుట చేత, అది ఆటోమాటిక్‌గా నిరోధించబడినది. $1ను నిరోధించడానికి కారణం: "\'\'\'$2\'\'\'"', 'blocklogpage' => 'నిరోధాల చిట్టా', 'blocklog-showlog' => 'ఈ వాడుకరిని గతంలో నిరోధించారు. మీ సమాచారం కోసం నిరోధపు చిట్టాని క్రింద ఇచ్చాం:', 'blocklog-showsuppresslog' => 'ఈ వాడుకరిని గతంలో నిరోధించి, దాచి ఉంచారు. వివరాల కోసం అణచివేత చిట్టా కింద చూపబడింది:', 'blocklogentry' => '"[[$1]]" పై నిరోధం అమలయింది. నిరోధ కాలం $2 $3', 'reblock-logentry' => '[[$1]] కై నిరోధపు అమరికలను $2 $3 గడువుతో మార్చారు', 'blocklogtext' => 'వాడుకరుల నిరోధాలు, పునస్థాపనల చిట్టా ఇది. ఆటోమాటిక్‌గా నిరోధానికి గురైన ఐ.పి. చిరునామాలు ఈ జాబితాలో ఉండవు. ప్రస్తుతం అమల్లో ఉన్న నిరోధాలు, నిషేధాల కొరకు [[Special:BlockList|ఐ.పి. నిరోధాల జాబితా]]ను చూడండి.', 'unblocklogentry' => '$1పై నిరోధం తొలగించబడింది', 'block-log-flags-anononly' => 'అజ్ఞాత వాడుకర్లు మాత్రమే', 'block-log-flags-nocreate' => 'ఖాతా సృష్టించడాన్ని అశక్తం చేసాం', 'block-log-flags-noautoblock' => 'ఆటోమాటిక్ నిరోధాన్ని అశక్తం చేసాం', 'block-log-flags-noemail' => 'ఈ-మెయిలుని నిరోధించాం', 'block-log-flags-nousertalk' => 'తమ చర్చాపేజీని మార్చలేరు', 'block-log-flags-angry-autoblock' => 'మరింత ధృడమైన స్వయంనిరోధకం సచేతనం చేయబడింది', 'block-log-flags-hiddenname' => 'వాడుకరిపేరుని దాచారు', 'range_block_disabled' => 'శ్రేణి(రేంజి) నిరోధం చెయ్యగల నిర్వాహక అనుమతిని అశక్తం చేసాం.', 'ipb_expiry_invalid' => 'అంతమయ్యే గడువు సరైనది కాదు.', 'ipb_expiry_temp' => 'దాచిన వాడుకరిపేరు నిరోధాలు శాశ్వతంగా ఉండాలి.', 'ipb_hide_invalid' => 'ఈ ఖాతాను అణచలేకపోతున్నాం. దాని కింద చాలా దిద్దుబాట్లు ఉండి ఉంటాయి.', 'ipb_already_blocked' => '"$1" ను ఇప్పటికే నిరోధించాం', 'ipb-needreblock' => '$1ని ఇప్పటికే నిరోధించారు. ఆ అమరికలని మీరు మార్చాలనుకుంటున్నారా?', 'ipb-otherblocks-header' => 'ఇతర {{PLURAL:$1|నిరోధం|నిరోధాలు}}', 'unblock-hideuser' => 'ఈ వాడుకరి యొక్క వాడుకరిపేరు దాచబడి ఉంది కాబట్టి, వారిపై నిరోధాన్ని తీసెయ్యలేరు.', 'ipb_cant_unblock' => 'లోపం: నిరోధించిన ఐడీ $1 దొరకలేదు. దానిపై ఉన్న నిరోధాన్ని ఈసరికే తొలగించి ఉండవచ్చు.', 'ipb_blocked_as_range' => 'లోపం: ఐపీ $1 ను నేరుగా నిరోధించలేదు, అంచేత నిరోధాన్ని రద్దుపరచలేము. అయితే, అది $2 శ్రేణిలో భాగంగా నిరోధానికి గురైంది, ఈ శ్రేణిపై ఉన్న నిరోధాన్ని రద్దుపరచవచ్చు.', 'ip_range_invalid' => 'సరైన ఐపీ శ్రేణి కాదు.', 'ip_range_toolarge' => '/$1 కంటే పెద్దవైన సామూహిక నిరోధాలు అనుమతించబడవు.', 'proxyblocker' => 'ప్రాక్సీ నిరోధకం', 'proxyblockreason' => 'మీ ఐపీ అడ్రసు ఒక ఓపెన్ ప్రాక్సీ కాబట్టి దాన్ని నిరోధించాం. మీ ఇంటర్నెట్ సేవాదారుని గానీ, సాంకేతిక సహాయకుని గానీ సంప్రదించి తీవ్రమైన ఈ భద్రతా వైఫల్యాన్ని గురించి తెలపండి.', 'sorbsreason' => '{{SITENAME}} వాడే DNSBLలో మీ ఐపీ అడ్రసు ఒక ఓపెన్ ప్రాక్సీగా నమోదై ఉంది.', 'sorbs_create_account_reason' => 'మీ ఐపీ అడ్రసు DNSBL లో ఓపెను ప్రాక్సీగా నమోదయి ఉంది. మీరు ఎకౌంటును సృష్టించజాలరు.', 'cant-block-while-blocked' => 'నిరోధంలో ఉన్న మీరు ఇతర వాడుకరులపై నిరోధం అమలుచేయలేరు.', 'cant-see-hidden-user' => 'మీరు నిరోధించదలచిన వాడుకరి ఇప్పటికే నిరోధించబడి, దాచబడి ఉన్నారు. మీకు హక్కు లేదు కాబట్టి, ఆ వాడుకరి నిరోధాన్ని చూడటంగానీ, దాన్ని మార్చడంగానీ చెయ్యలేరు.', 'ipbblocked' => 'మీరు ఇతర వాడుకరులని నిరోధించలేరు లేదా అనిరోధించలేరు, ఎందుకంటే మిమ్మల్ని మీరే నిరోధించుకున్నారు', 'ipbnounblockself' => 'మిమ్మల్ని మీరే అనిరోధించుకునే అనుమతి మీకు లేదు', # Developer tools 'lockdb' => 'డాటాబేసును లాక్‌ చెయ్యి', 'unlockdb' => 'డాటాబేసుకి తాళంతియ్యి', 'lockdbtext' => 'డాటాబేసును లాక్‌ చెయ్యడం వలన సభ్యులు పేజీలు మార్చడం, అభిరుచులు మార్చడం, వీక్షణ జాబితాను మార్చడం వంటి డాటాబేసు ఆధారిత పనులు చెయ్యలేరు. మీరు చెయ్యదలచినది ఇదేనని, మీ పని కాగానే తిరిగి డాటాబేసును ప్రారంభిస్తాననీ ధృవీకరించండి.', 'unlockdbtext' => 'డేటాబేసుకు తాళం తీసేసిన తరువాత, వాడుకరులందరూ పేజీలను మార్చటం మొదలు పెట్టగలరు, తమ అభిరుచులను మార్చుకోగలరు, వీక్షణా జాబితాకు పేజీలను కలుపుకోగలరు తీసివేయనూగలరు, అంతేకాక డేటాబేసులో మార్పులు చేయగలిగే ఇంకొన్ని పనులు కూడా చేయవచ్చు. మీరు చేయదలుచుకుంది ఇదేనాకాదా అని ఒకసారి నిర్ధారించండి.', 'lockconfirm' => 'అవును, డేటాబేసును లాకు చెయ్యాలని నిజంగానే అనుకుంటున్నాను.', 'unlockconfirm' => 'అవును, నేను నిజంగానే డాటాబేసుకి తాళం తియ్యాలనుకుంటున్నాను.', 'lockbtn' => 'డాటాబేసును లాక్‌ చెయ్యి', 'unlockbtn' => 'డాటాబేసు తాళంతియ్యి', 'locknoconfirm' => 'మీరు ధృవీకరణ పెట్టెలో టిక్కు పెట్టలేదు.', 'lockdbsuccesssub' => 'డాటాబేసు లాకు విజయవంతం అయ్యింది.', 'unlockdbsuccesssub' => 'డాటాబేసుకు తాళం తీసేసాం', 'lockdbsuccesstext' => 'డాటాబేసు లాకయింది.<br />పని పూర్తి కాగానే లాకు తియ్యడం మర్చిపోకండి.', 'unlockdbsuccesstext' => 'డాటాబేసుకి తాళం తీసాం.', 'lockfilenotwritable' => 'డేటాబేసుకు తాళంవేయగల ఫైలులో రాయలేకపోతున్నాను. డేటాబేసుకు తాళంవేయటానికిగానీ లేదా తీసేయటానికిగానీ, వెబ్‌సర్వరులో ఉన్న ఈ ఫైలులో రాయగలగాలి.', 'databasenotlocked' => 'డేటాబేసు లాకవలేదు.', # Move page 'move-page' => '$1 తరలింపు', 'move-page-legend' => 'పేజీని తరలించు', 'movepagetext' => "కింది ఫారం ఉపయోగించి, ఓ పేజీ పేరు మార్చవచ్చు. దాంతో పాటు దాని చరిత్ర అంతా కొత్త పేజీ చరిత్రగా మారుతుంది. పాత పేజీ కొత్త దానికి దారిమార్పు పేజీ అవుతుంది. పాత పేజీకి ఉన్న దారిమార్పు పేజీలను ఆటోమెటిగ్గా సరిచేయవచ్చు. ఆలా చేయవద్దనుకుంటే, [[Special:DoubleRedirects|ద్వంద]] లేదా [[Special:BrokenRedirects|పనిచేయని]] దారిమార్పుల పేజీలలో సరిచూసుకోండి. లింకులన్నీ అనుకున్నట్లుగా చేరవలసిన చోటికే చేరుతున్నాయని నిర్ధారించుకోవలసిన బాధ్యత మీదే. ఒకవేళ కొత్త పేరుతో ఇప్పటికే ఒక పేజీ ఉండి ఉంటే (అది గత మార్పుల చరిత్ర లేని ఖాళీ పేజీనో లేదా దారిమార్పు పేజీనో కాకపోతే) తరలింపు '''జరగదు'''. అంటే మీరు పొరపాటు చేస్తే కొత్త పేరును మార్చి తిరిగి పాత పేరుకు తీసుకురాగలరు కానీ ఇప్పటికే వున్న పేజీని తుడిచివేయలేరు. '''హెచ్చరిక!''' ఈ మార్పు బాగా జనరంజకమైన పేజీలకు అనూహ్యం కావచ్చు; దాని పరిణామాలను అర్ధం చేసుకుని ముందుకుసాగండి.", 'movepagetext-noredirectfixer' => "కింది ఫారాన్ని వాడి, ఓ పేజీ పేరు మార్చవచ్చు. దాని చరిత్ర పూర్తిగా కొత్త పేరుకు తరలిపోతుంది. పాత శీర్షిక కొత్తదానికి దారిమార్పు పేజీగా మారిపోతుంది. [[Special:DoubleRedirects|double]] లేదా [[Special:BrokenRedirects|broken redirects]] లను చూడటం మరువకండి. లింకులు వెళ్ళాల్సిన చోటికి వెళ్తున్నాయని నిర్ధారించుకోవాల్సిన బాధ్యత మీదే. కొత్త పేరుతో ఈసరికే ఏదైనా పేజీ ఉంటే - అది ఖాళీగా ఉన్నా లేక మార్పుచేర్పుల చరిత్ర ఏమీ లేని దారిమార్పు పేజీ అయినా తప్ప- తరలింపు ’’’జరుగదు’’’ అని గమనించండి. అంటే, ఏదైనా పొరపాటు జరిగితే పేరును తిరిగి పాత పేరుకే మార్చగలరు తప్ప, ఈపాటికే ఉన్న పేజీపై ఓవరరైటు చెయ్యలేరు. '''హెచ్చరిక!''' బహుళ వ్యాప్తి పొందిన ఓ పేజీలో ఈ మార్పు చాలా తీవ్రమైనది, ఊహించనిదీ అవుతుంది. దాని పర్యవసానాలు అర్థం చేసుకున్నాకే ముందుకు వెళ్ళండి.", 'movepagetalktext' => "దానితో పాటు సంబంధిత చర్చా పేజీ కూడా ఆటోమాటిక్‌‌గా తరలించబడుతుంది, '''కింది సందర్భాలలో తప్ప:''' *ఒక నేంస్పేసు నుండి ఇంకోదానికి తరలించేటపుడు, *కొత్త పేరుతో ఇప్పటికే ఒక చర్చా పేజీ ఉంటే, *కింది చెక్‌బాక్సులో టిక్కు పెట్టకపోతే. ఆ సందర్భాలలో, మీరు చర్చా పేజీని కూడా పనిగట్టుకుని తరలించవలసి ఉంటుంది, లేదా ఏకీకృత పరచవలసి ఉంటుంది.", 'movearticle' => 'పేజీని తరలించు', 'moveuserpage-warning' => "'''హెచ్చరిక:''' మీరు ఒక వాడుకరి పేజీని తరలించబోతున్నారు. పేజీ మాత్రమే తరలించబడుతుందనీ, వాడుకరి పేరుమార్పు జరగదనీ గమనించండి.", 'movenologin' => 'లాగిన్‌ అయిలేరు', 'movenologintext' => 'పేజీని తరలించడానికి మీరు [[Special:UserLogin|లాగిన్‌]] అయిఉండాలి.', 'movenotallowed' => 'పేజీలను తరలించడానికి మీకు అనుమతి లేదు.', 'movenotallowedfile' => 'మీకు ఫైళ్ళను తరలించే అనుమతి లేదు.', 'cant-move-user-page' => 'వాడుకరి పేజీలను (ఉపపేజీలు కానివాటిని) తరలించే అనుమతి మీకు లేదు .', 'cant-move-to-user-page' => 'మీకు ఒక పేజీని వాడుకరి పేజీగా (వాడుకరి ఉపపేజీగా తప్ప) తరలించే అనుమతి లేదు.', 'newtitle' => 'కొత్త పేరుకి', 'move-watch' => 'ఈ పేజీని గమనించు', 'movepagebtn' => 'పేజీని తరలించు', 'pagemovedsub' => 'తరలింపు విజయవంతమైనది', 'movepage-moved' => '\'\'\'"$1"ని "$2"కి తరలించాం\'\'\'', 'movepage-moved-redirect' => 'ఒక దారిమార్పుని సృష్టించాం.', 'movepage-moved-noredirect' => 'దారిమార్పుని సృష్టించలేదు.', 'articleexists' => 'ఆ పేరుతో ఇప్పటికే ఒక పేజీ ఉంది, లేదా మీరు ఎంచుకున్న పేరు సరైనది కాదు. వేరే పేరు ఎంచుకోండి.', 'cantmove-titleprotected' => 'ఈ పేరుతోఉన్న పేజీని సృష్టించనివ్వకుండా సంరక్షిస్తున్నారు, అందుకని ఈ ప్రదేశంలోకి పేజీని తరలించలేను', 'talkexists' => "'''పేజీని జయప్రదంగా తరలించాము, కానీ చర్చా పేజీని తరలించలేక పోయాము. కొత్త పేరుతో చర్చ పేజీ ఇప్పటికే ఉంది, ఆ రెంటినీ మీరే ఏకీకృతం చెయ్యండి.'''", 'movedto' => 'తరలింపు', 'movetalk' => 'కూడా వున్న చర్చ పేజీని తరలించు', 'move-subpages' => 'ఉపపేజీలను ($1 వరకు) తరలించు', 'move-talk-subpages' => 'చర్చా పేజీ యొక్క ఉపపేజీలను ($1 వరకు) తరలించు', 'movepage-page-exists' => '$1 అనే పేజీ ఈపాటికే ఉంది మరియు దాన్ని ఆటోమెటిగ్గా ఈ పేజీతో మార్చివేయలేరు.', 'movepage-page-moved' => '$1 అనే పేజీని $2 కి తరలించాం.', 'movepage-page-unmoved' => '$1 అనే పేజీని $2 కి తరలించలేకపోయాము.', 'movepage-max-pages' => '$1 యొక్క గరిష్ఠ పరిమితి {{PLURAL:$1|పేజీ|పేజీలు}} వరకు తరలించడమైనది. ఇక ఆటోమాటిగ్గా తరలించము.', 'movelogpage' => 'తరలింపుల చిట్టా', 'movelogpagetext' => 'కింద తరలించిన పేజీల జాబితా ఉన్నది.', 'movesubpage' => '{{PLURAL:$1|ఉపపేజీ|ఉపపేజీలు}}', 'movesubpagetext' => 'ఈ పేజీకి క్రింద చూపించిన $1 {{PLURAL:$1|ఉపపేజీ ఉంది|ఉపపేజీలు ఉన్నాయి}}.', 'movenosubpage' => 'ఈ పేజీకి ఉపపేజీలు ఏమీ లేవు.', 'movereason' => 'కారణం:', 'revertmove' => 'తరలింపును రద్దుచేయి', 'delete_and_move' => 'తొలగించి, తరలించు', 'delete_and_move_text' => '==తొలగింపు అవసరం== ఉద్దేశించిన వ్యాసం "[[:$1]]" ఇప్పటికే ఉనికిలో ఉంది. ప్రస్తుత తరలింపుకు వీలుగా దాన్ని తొలగించేయమంటారా?', 'delete_and_move_confirm' => 'అవును, పేజీని తొలగించు', 'delete_and_move_reason' => '"[[$1]]"ను తరలించడానికి వీలుగా తొలగించారు', 'selfmove' => 'మూలం, గమ్యం పేర్లు ఒకటే; పేజీని దాని పైకే తరలించడం కుదరదు.', 'immobile-source-namespace' => '"$1" పేరుబరిలోని పేజీలను తరలించలేరు', 'immobile-target-namespace' => '"$1" పేరుబరిలోనికి పేజీలను తరలించలేరు', 'immobile-target-namespace-iw' => 'పేజీని తరలించడానికి అంతర్వికీ లింకు సరైన లక్ష్యం కాదు.', 'immobile-source-page' => 'ఈ పేజీని తరలించలేరు.', 'immobile-target-page' => 'ఆ లక్ష్యిత శీర్షికకి తరలించలేము.', 'imagenocrossnamespace' => 'ఫైలును, ఫైలుకు చెందని నేమ్‌స్పేసుకు తరలించలేం', 'nonfile-cannot-move-to-file' => 'దస్త్రాలు కానివాటిని దస్త్రపు పేరుబరికి తరలించలేరు', 'imagetypemismatch' => 'ఈ కొత్త ఫైలు ఎక్స్&zwnj;టెన్షన్ ఫైలు రకానికి సరిపోలేదు', 'imageinvalidfilename' => 'లక్ష్యిత దస్త్రపు పేరు చెల్లనిది', 'fix-double-redirects' => 'పాత పేజీని సూచిస్తున్న దారిమార్పులను తాజాకరించు', 'move-leave-redirect' => 'పాత పేజీని దారిమార్పుగా ఉంచు', 'protectedpagemovewarning' => "'''హెచ్చరిక:''' ఈ పేజీని సంరక్షించారు కనుక నిర్వాహక హక్కులు కలిగిన వాడుకరులు మాత్రమే దీన్ని తరలించగలరు. మీ సమాచారం కోసం చివరి చిట్టా పద్దుని ఇక్కడ ఇస్తున్నాం:", 'semiprotectedpagemovewarning' => "'''గమనిక:''' ఈ పేజీని సంరక్షించారు కనుక నమోదైన వాడుకరులు మాత్రమే దీన్ని తరలించగలరు. మీ సమాచారం కోసం చివరి చిట్టా పద్దుని ఇక్కడ ఇస్తున్నాం:", 'move-over-sharedrepo' => '== ఫైలు ఉంది == [[:$1]] సామూహిక నిక్షేపంలో ఉంది. ఈ పేరుతో మరొక ఫైలును తరలిస్తే అది ఆ సామూహిక ఫైలును ఓవర్‌రైడు చేస్తుంది.', 'file-exists-sharedrepo' => 'ఎంచుకున్న ఫైలు పేరు ఇప్పటికే సామాన్య భాండాగారంలో వాడుకలో ఉంది. దయచేసి మరొక పేరుని ఎంచుకోండి.', # Export 'export' => 'ఎగుమతి పేజీలు', 'exporttext' => 'ఎంచుకున్న పేజీ లేదా పేజీలలోని వ్యాసం మరియు పేజీ చరితం లను XML లో ఎగుమతి చేసుకోవచ్చు. MediaWiki ని ఉపయోగించి Special:Import page ద్వారా దీన్ని వేరే వికీ లోకి దిగుమతి చేసుకోవచ్చు. పేజీలను ఎగుమతి చేసందుకు, కింద ఇచ్చిన టెక్స్టు బాక్సులో పేజీ పేర్లను లైనుకో పేరు చొప్పున ఇవ్వండి. ప్రస్తుత కూర్పుతో పాటు పాత కూర్పులు కూడా కావాలా, లేక ప్రస్తుత కూర్పు మాత్రమే చాలా అనే విషయం కూడా ఇవ్వవచ్చు. రెండో పద్ధతిలో అయితే, పేజీ యొక్క లింకును కూడా వాడవచ్చు. ఉదాహరణకు, "[[{{MediaWiki:Mainpage}}]]" కోసమైతే [[{{#Special:Export}}/{{MediaWiki:Mainpage}}]] అని ఇవ్వవచ్చు.', 'exportcuronly' => 'ప్రస్తుత కూర్పు మాత్రమే, పూర్తి చరితం వద్దు', 'exportnohistory' => "---- '''గమనిక:''' ఈ ఫారాన్ని ఉపయోగించి పేజీలయొక్క పూర్తి చరిత్రను ఎగుమతి చేయడాన్ని సర్వరుపై వత్తిడి పెరిగిన కారణంగా ప్రస్తుతం నిలిపివేశారు.", 'export-submit' => 'ఎగుమతించు', 'export-addcattext' => 'ఈ వర్గంలోని పేజీలను చేర్చు:', 'export-addcat' => 'చేర్చు', 'export-addnstext' => 'ఈ పేరుబరి నుండి పేజీలను చేర్చు:', 'export-addns' => 'చేర్చు', 'export-download' => 'ఫైలుగా భద్రపరచు', 'export-templates' => 'మూసలను కలుపు', 'export-pagelinks' => 'ఈ లోతు వరకు లింకై ఉన్న పేజీలను చేర్చు:', # Namespace 8 related 'allmessages' => 'అన్ని సిస్టం సందేశాలు', 'allmessagesname' => 'పేరు', 'allmessagesdefault' => 'అప్రమేయ సందేశపు పాఠ్యం', 'allmessagescurrent' => 'ప్రస్తుత పాఠ్యం', 'allmessagestext' => 'మీడియావికీ పేరుబరిలో ఉన్న అంతరవర్తి సందేశాల జాబితా ఇది. సాధారణ మీడియావికీ స్థానికీకరణకి మీరు తోడ్పడాలనుకుంటే, దయచేసి [//www.mediawiki.org/wiki/Localisation మీడియావికీ స్థానికీకరణ] మరియు [//translatewiki.net ట్రాన్స్&zwnj;లేట్&zwnj;వికీ.నెట్] సైట్లను చూడండి.', 'allmessagesnotsupportedDB' => "'''\$wgUseDatabaseMessages''' అన్నది అచేతనం చేసి ఉన్నందువల్ల ఈ పేజీని వాడలేరు.", 'allmessages-filter-legend' => 'వడపోత', 'allmessages-filter' => 'కస్టమైజేషను స్థితిని బట్టి వడకట్టు:', 'allmessages-filter-unmodified' => 'మార్చబడనివి', 'allmessages-filter-all' => 'అన్నీ', 'allmessages-filter-modified' => 'మార్చబడినవి', 'allmessages-prefix' => 'ఉపసర్గ పై వడపోత:', 'allmessages-language' => 'భాష:', 'allmessages-filter-submit' => 'వెళ్ళు', # Thumbnails 'thumbnail-more' => 'పెద్దది చెయ్యి', 'filemissing' => 'ఫైలు కనపడుటలేదు', 'thumbnail_error' => '$1: నఖచిత్రం తయారుచెయ్యడంలో లోపం జరిగింది', 'djvu_page_error' => 'DjVu పేజీ రేంజి దాటిపోయింది', 'djvu_no_xml' => 'DjVu ఫైలు కోసం XMLను తీసుకుని రాలేకపోయాను', 'thumbnail_invalid_params' => 'నఖచిత్రాలకు సరయిన పారామీటర్లు లేవు', 'thumbnail_dest_directory' => 'గమ్యస్థానంలో డైరెక్టరీని సృష్టించలేకపోయాం', 'thumbnail_image-type' => 'ఈ బొమ్మ రకానికి మద్దతు లేదు', 'thumbnail_gd-library' => 'అసంపూర్ణ GD సంచయపు ఏర్పాటు: $1 ఫంక్షను లేదు.', 'thumbnail_image-missing' => 'ఫైలు తప్పిపోయినట్లున్నది: $1', # Special:Import 'import' => 'పేజీలను దిగుమతి చేసుకోండి', 'importinterwiki' => 'ఇంకోవికీ నుండి దిగుమతి', 'import-interwiki-text' => 'దిగుమతి చేసుకోవడానికి ఒక వికీని మరియు అందులోని పేజీని ఎంచుకోండి. కూర్పుల తేదీలు మరియు మార్పులు చేసిన వారి పేర్లు భద్రపరచబడతాయి. ఇతర వికీలనుండి చేస్తున్న దిగుమతుల చర్యలన్నీ [[Special:Log/import|దిగుమతుల చిట్టా]]లో నమోదవుతాయి.', 'import-interwiki-source' => 'మూల వికీ/పేజీ:', 'import-interwiki-history' => 'ఈ పేజీ యొక్క అన్ని చారిత్రక కూర్పులను కాపీ చెయ్యి', 'import-interwiki-templates' => 'అన్ని మూసలను ఉంచు', 'import-interwiki-submit' => 'దిగుమతించు', 'import-interwiki-namespace' => 'లక్ష్యిత నేంస్పేసు:', 'import-upload-filename' => 'పైలుపేరు:', 'import-comment' => 'వ్యాఖ్య:', 'importtext' => '[[Special:Export|ఎగుమతి ఉపకరణాన్ని]] ఉపయోగించి, ఈ ఫైలుని మూల వికీ నుంచి ఎగుమతి చెయ్యండి. దాన్ని మీ కంప్యూటర్లో భద్రపరచి, ఆపై ఇక్కడికి ఎక్కించండి.', 'importstart' => 'పేజీలను దిగుమతి చేస్తున్నాం...', 'import-revision-count' => '$1 {{PLURAL:$1|కూర్పు|కూర్పులు}}', 'importnopages' => 'దిగుమతి చెయ్యడానికి పేజీలేమీ లేవు.', 'imported-log-entries' => '$1 {{PLURAL:$1|చిట్టా పద్దు దిగుమతయ్యింది|చిట్టా పద్దులు దిగుమతయ్యాయి}}.', 'importfailed' => 'దిగుమతి కాలేదు: $1', 'importunknownsource' => 'దిగుమతి చేసుకుంటున్న దాని మాతృక రకం తెలియదు', 'importcantopen' => 'దిగుమతి చేయబోతున్న ఫైలును తెరవలేకపోతున్నాను', 'importbadinterwiki' => 'చెడు అంతర్వికీ లింకు', 'importnotext' => 'ఖాళీ లేదా పాఠ్యం లేదు', 'importsuccess' => 'దిగుమతి పూర్తయ్యింది!', 'importhistoryconflict' => 'కూర్పుల చరిత్రలో ఘర్షణ తలెత్తింది (ఈ పేజీని ఇంతకు ముందే దిగుమతి చేసుంటారు)', 'importnosources' => 'No transwiki import sources have been defined and direct history uploads are disabled. ఎటువంటి అంతర్వికీ దిగుమతి మూలాలను పేర్కొనకపోవటం వలన, ప్రత్యక్ష చరిత్ర అప్లోడులను నిలిపివేశాం.', 'importnofile' => 'ఎటువంటి దిగుమతి ఫైలునూ అప్లోడుచేయలేదు.', 'importuploaderrorsize' => 'దిగుమతి ఫైలు అప్లోడు ఫలించలేదు. ఈ ఫైలు అప్లోడు ఫైలుకు నిర్దేశించిన పరిమాణం కంటే పెద్దా ఉంది.', 'importuploaderrorpartial' => 'దిగుమతి ఫైలు అప్లోడు ఫలించలేదు. ఈ ఫైలులో కొంత భాగాన్ని మాత్రమే అప్లోడు చేయగలిగం.', 'importuploaderrortemp' => 'దిగుమతి ఫైలు అప్లోడు ఫలించలేదు. ఒక తాత్కాలిక ఫోల్డరు కనిపించటం లేదు.', 'import-parse-failure' => 'దిగుమతి చేసుకుంటున్న XML విశ్లేషణ ఫలించలేదు', 'import-noarticle' => 'దిగుమతి చెయ్యాల్సిన పేజీ లేదు!', 'import-nonewrevisions' => 'అన్ని కూర్పులూ గతంలోనే దిగుమతయ్యాయి.', 'xml-error-string' => '$1 $2వ లైనులో, వరుస $3 ($4వ బైటు): $5', 'import-upload' => 'XML డేటాను అప్‌లోడు చెయ్యి', 'import-token-mismatch' => 'సెషను భోగట్టా పోయింది. దయచేసి మళ్ళీ ప్రయత్నించండి.', 'import-invalid-interwiki' => 'మీరు చెప్పిన వికీనుండి దిగుమతి చేయలేము.', # Import log 'importlogpage' => 'దిగుమతుల చిట్టా', 'importlogpagetext' => 'ఇతర వికీల నుండీ మార్పుల చరిత్రతోసహా తెచ్చిన నిర్వహణా దిగుమతులు.', 'import-logentry-upload' => '[[$1]]ను ఫైలు అప్లోడు ద్వారా దిగుమతి చేసాం', 'import-logentry-upload-detail' => '$1 {{PLURAL:$1|కూర్పు|కూర్పులు}}', 'import-logentry-interwiki' => 'ఇతర వికీల నుండి $1', 'import-logentry-interwiki-detail' => '$2 నుండి {{PLURAL:$1|ఒక కూర్పు|$1 కూర్పులు}}', # JavaScriptTest 'javascripttest' => 'జావాస్క్రిప్ట్ పరీక్ష', 'javascripttest-title' => '$1 పరీక్షలు నడుస్తున్నాయి', # Tooltip help for the actions 'tooltip-pt-userpage' => 'మీ వాడుకరి పేజీ', 'tooltip-pt-anonuserpage' => 'మీ ఐపీ చిరునామాకి సంబంధించిన వాడుకరి పేజీ', 'tooltip-pt-mytalk' => 'మీ చర్చా పేజీ', 'tooltip-pt-anontalk' => 'ఈ ఐపీ చిరునామా నుండి చేసిన మార్పుల గురించి చర్చ', 'tooltip-pt-preferences' => 'మీ అభిరుచులు', 'tooltip-pt-watchlist' => 'మీరు మార్పుల కొరకు గమనిస్తున్న పేజీల జాబితా', 'tooltip-pt-mycontris' => 'మీ మార్పు-చేర్పుల జాబితా', 'tooltip-pt-login' => 'మీరు లోనికి ప్రవేశించడాన్ని ప్రోత్సహిస్తున్నాం; కానీ అది తప్పనిసరి కాదు.', 'tooltip-pt-anonlogin' => 'మీరు లోనికి ప్రవేశించడాన్ని ప్రోత్సహిస్తాం; కానీ, అది తప్పనిసరి కాదు', 'tooltip-pt-logout' => 'నిష్క్రమించండి', 'tooltip-ca-talk' => 'విషయపు పుట గురించి చర్చ', 'tooltip-ca-edit' => 'ఈ పేజీని మీరు సరిదిద్దవచ్చు. దాచేముందు మునుజూపు బొత్తాన్ని వాడండి.', 'tooltip-ca-addsection' => 'కొత్త విభాగాన్ని మొదలుపెట్టండి', 'tooltip-ca-viewsource' => 'ఈ పుటని సంరక్షించారు. మీరు దీని మూలాన్ని చూడవచ్చు', 'tooltip-ca-history' => 'ఈ పుట యొక్క వెనుకటి కూర్పులు', 'tooltip-ca-protect' => 'ఈ పేజీని సంరక్షించండి', 'tooltip-ca-unprotect' => 'ఈ పేజీ సంరక్షణను మార్చండి', 'tooltip-ca-delete' => 'ఈ పేజీని తొలగించండి', 'tooltip-ca-undelete' => 'ఈ పేజీని తొలగించడానికి ముందు చేసిన మార్పులను పునఃస్థాపించు', 'tooltip-ca-move' => 'ఈ పేజీని తరలించండి', 'tooltip-ca-watch' => 'ఈ పేజీని మీ విక్షణా జాబితాకి చేర్చుకోండి', 'tooltip-ca-unwatch' => 'ఈ పేజీని మీ విక్షణా జాబితా నుండి తొలగించండి', 'tooltip-search' => '{{SITENAME}} లో వెతకండి', 'tooltip-search-go' => 'ఇదే పేరుతో పేజీ ఉంటే అక్కడికి తీసుకెళ్ళు', 'tooltip-search-fulltext' => 'పేజీలలో ఈ పాఠ్యం కొరకు వెతుకు', 'tooltip-p-logo' => 'మొదటి పుటను దర్శించండి', 'tooltip-n-mainpage' => 'తలపుటను చూడండి', 'tooltip-n-mainpage-description' => 'మొదటి పుటను చూడండి', 'tooltip-n-portal' => 'ప్రాజెక్టు గురించి, మీరేం చేయవచ్చు, సమాచారం ఎక్కడ దొరుకుతుంది', 'tooltip-n-currentevents' => 'ఇప్పటి ముచ్చట్ల యొక్క మునుపటి మందలను తెలుసుకొనుడి', 'tooltip-n-recentchanges' => 'వికీలో ఇటీవల జరిగిన మార్పుల జాబితా.', 'tooltip-n-randompage' => 'ఓ యాదృచ్చిక పేజీని చూడండి', 'tooltip-n-help' => 'తెలుసుకోడానికి ఓ మంచి ప్రదేశం.', 'tooltip-t-whatlinkshere' => 'ఇక్కడితో ముడిపడియున్న అన్ని వికీ పుటల లంకెలు', 'tooltip-t-recentchangeslinked' => 'ఈ పుటకు ముడివడియున్న పుటలలో జరిగిన ఇటీవలి మార్పులు', 'tooltip-feed-rss' => 'ఈ పేజీకి RSS ఫీడు', 'tooltip-feed-atom' => 'ఈ పేజీకి Atom ఫీడు', 'tooltip-t-contributions' => 'ఈ వాడుకరి యొక్క రచనల జాబితా చూడండి', 'tooltip-t-emailuser' => 'ఈ వాడుకరికి ఓ ఈమెయిలు పంపండి', 'tooltip-t-upload' => 'దస్త్రాలను ఎక్కించండి', 'tooltip-t-specialpages' => 'అన్ని ప్రత్యేక పుటల యొక్క జాబితా', 'tooltip-t-print' => 'ఈ పుట యొక్క అచ్చుతీయదగ్గ కూర్పు', 'tooltip-t-permalink' => 'పుట యొక్క ఈ కూర్పుకి శాశ్వత లంకె', 'tooltip-ca-nstab-main' => 'ముచ్చట్ల పుటను చూడండి', 'tooltip-ca-nstab-user' => 'వాడుకరి పేజీని చూడండి', 'tooltip-ca-nstab-media' => 'మీడియా పేజీని చూడండి', 'tooltip-ca-nstab-special' => 'ఇది ఒక ప్రత్యేక పుట, దీన్ని మీరు సరిదిద్దలేరు', 'tooltip-ca-nstab-project' => 'ప్రాజెక్టు పేజీని చూడండి', 'tooltip-ca-nstab-image' => 'ఫైలు పేజీని చూడండి', 'tooltip-ca-nstab-mediawiki' => 'వ్యవస్థా సందేశం చూడండి', 'tooltip-ca-nstab-template' => 'మూసని చూడండి', 'tooltip-ca-nstab-help' => 'సహాయపు పేజీ చూడండి', 'tooltip-ca-nstab-category' => 'వర్గపు పేజీ చూడండి', 'tooltip-minoredit' => 'దీన్ని చిన్న మార్పుగా గుర్తించు', 'tooltip-save' => 'మీ మార్పులను భద్రపరచండి', 'tooltip-preview' => 'మీ మార్పులను మునుజూడండి, భద్రపరిచేముందు ఇది వాడండి!', 'tooltip-diff' => 'పాఠానికి మీరు చేసిన మార్పులను చూపుంచు. [alt-v]', 'tooltip-compareselectedversions' => 'ఈ పేజీలో ఎంచుకున్న రెండు కూర్పులకు మధ్య తేడాలను చూడండి. [alt-v]', 'tooltip-watch' => 'ఈ పేజీని మీ విక్షణా జాబితాకు చేర్చండి', 'tooltip-watchlistedit-normal-submit' => 'శీర్షికలను తీసివెయ్యి', 'tooltip-watchlistedit-raw-submit' => 'వీక్షణ జాబితాను తాజాకరించు', 'tooltip-recreate' => 'పేజీ తుడిచివేయబడ్డాకానీ మళ్ళీ సృష్టించు', 'tooltip-upload' => 'ఎగుమతి మొదలుపెట్టు', 'tooltip-rollback' => '"రద్దుచేయి" అనేది ఈ పేజీని చివరిగా మార్చినవారి మార్పులని రద్దుచేస్తుంది', 'tooltip-undo' => '"దిద్దుబాటుని రద్దుచేయి" ఈ మార్పుని రద్దుచేస్తుంది మరియు దిద్దుబాటు ఫారాన్ని మునుజూపులో తెరుస్తుంది. సారాంశానికి కారణాన్ని చేర్చే వీలుకల్పిస్తుంది', 'tooltip-preferences-save' => 'అభిరుచులను భద్రపరచు', 'tooltip-summary' => 'చిన్న సారాంశాన్ని ఇవ్వండి', # Metadata 'notacceptable' => 'ఈ వికీ సర్వరు మీ క్లయంటు చదవగలిగే రీతిలో డేటాను ఇవ్వలేదు.', # Attribution 'anonymous' => '{{SITENAME}} యొక్క అజ్ఞాత {{PLURAL:$1|వాడుకరి|వాడుకరులు}}', 'siteuser' => '{{SITENAME}} వాడుకరి $1', 'anonuser' => '{{SITENAME}} అజ్ఞాత వాడుకరి $1', 'lastmodifiedatby' => 'ఈ పేజీకి $3 $2, $1న చివరి మార్పు చేసారు.', 'othercontribs' => '$1 యొక్క కృతిపై ఆధారితం.', 'others' => 'ఇతరాలు', 'siteusers' => '{{SITENAME}} {{PLURAL:$2|వాడుకరి|వాడుకరులు}} $1', 'anonusers' => '{{SITENAME}} అజ్ఞాత {{PLURAL:$2|వాడుకరి|వాడుకరులు}} $1', 'creditspage' => 'పేజీ క్రెడిట్లు', 'nocredits' => 'ఈ పేజీకి క్రెడిట్ల సమాచారం అందుబాటులో లేదు.', # Spam protection 'spamprotectiontitle' => 'స్పాం సంరక్షణ ఫిల్టరు', 'spamprotectiontext' => 'మీరు భద్రపరచదలచిన పేజీని మా స్పాం వడపోత నిరోధించింది. బహుశా ఏదైనా నిషేధిత బయటి సైటుకు ఇచ్చిన లింకు కారణంగా ఇది జరిగివుండవచ్చు.', 'spamprotectionmatch' => 'మా స్పాం ఫిల్టరును ప్రేరేపించిన రచన భాగం ఇది: $1', 'spambot_username' => 'మీడియావికీ స్పాము శుద్ధి', 'spam_reverting' => '$1 కు లింకులు లేని గత కూర్పుకు తిరిగి తీసుకెళ్తున్నాం', 'spam_blanking' => '$1 కు లింకులు ఉన్న కూర్పులన్నిటినీ ఖాళీ చేస్తున్నాం', # Info page 'pageinfo-title' => '"$1" గురించి సమాచారం', 'pageinfo-header-basic' => 'ప్రాథమిక సమాచారం', 'pageinfo-header-edits' => 'మార్పుల చరిత్ర', 'pageinfo-views' => 'వీక్షణల సంఖ్య', 'pageinfo-watchers' => 'పేజీ వీక్షకుల సంఖ్య', 'pageinfo-edits' => 'మొత్తం మార్పుల సంఖ్య', 'pageinfo-toolboxlink' => 'పేజీ సమాచారం', 'pageinfo-contentpage-yes' => 'అవును', 'pageinfo-protect-cascading-yes' => 'అవును', 'pageinfo-category-info' => 'వర్గపు సమాచారం', 'pageinfo-category-pages' => 'పేజీల సంఖ్య', 'pageinfo-category-subcats' => 'ఉపవర్గాల సంఖ్య', 'pageinfo-category-files' => 'దస్త్రాల సంఖ్య', # Skin names 'skinname-cologneblue' => 'కలోన్ నీలం', 'skinname-monobook' => 'మోనోబుక్', 'skinname-modern' => 'ఆధునిక', 'skinname-vector' => 'వెక్టర్', # Patrolling 'markaspatrolleddiff' => 'పరీక్షించినట్లుగా గుర్తు పెట్టు', 'markaspatrolledtext' => 'ఈ వ్యాసాన్ని పరీక్షించినట్లుగా గుర్తు పెట్టు', 'markedaspatrolled' => 'పరీక్షింపబడినట్లు గుర్తింపబడింది', 'markedaspatrolledtext' => '[[:$1]] యొక్క ఎంచుకున్న కూర్పుని పరీక్షించినట్లుగా గుర్తించాం.', 'rcpatroldisabled' => 'ఇటీవలి మార్పుల నిఘాను అశక్తం చేసాం', 'rcpatroldisabledtext' => 'ఇటీవలి మార్పుల నిఘాను ప్రస్తుతానికి అశక్తం చేసాం', 'markedaspatrollederror' => 'నిఘాలో ఉన్నట్లుగా గుర్తించలేకున్నాం', 'markedaspatrollederrortext' => 'నిఘాలో ఉన్నట్లు గుర్తించేందుకుగాను, కూర్పును చూపించాలి.', 'markedaspatrollederror-noautopatrol' => 'మీరు చేసిన మార్పులను మీరే నిఘాలో పెట్టలేరు.', # Patrol log 'patrol-log-page' => 'నిఘా చిట్టా', 'patrol-log-header' => 'ఇది పర్యవేక్షించిన కూర్పుల చిట్టా.', 'log-show-hide-patrol' => '$1 పర్యవేక్షణ చిట్టా', # Image deletion 'deletedrevision' => 'పాత సంచిక $1 తొలగించబడినది.', 'filedeleteerror-short' => 'ఫైలు తొలగించడంలో పొరపాటు: $1', 'filedeleteerror-long' => 'ఫైలుని తొలగించడంలో పొరపాట్లు జరిగాయి: $1', 'filedelete-missing' => '"$1" అన్న ఫైలు ఉనికిలో లేనందున, దాన్ని తొలగించలేం.', 'filedelete-old-unregistered' => 'మీరు చెప్పిన ఫైలు కూర్పు "$1" డాటాబేసులో లేదు.', 'filedelete-current-unregistered' => 'మీరు చెప్పిన ఫైలు "$1" డాటాబేసులో లేదు.', 'filedelete-archive-read-only' => '"$1" భాండార డైరెక్టరీలో వెబ్‌సర్వరు రాయలేకున్నది.', # Browsing diffs 'previousdiff' => '← మునుపటి మార్పు', 'nextdiff' => 'తరువాతి మార్పు →', # Media information 'mediawarning' => "'''హెచ్చరిక''': ఈ రకపు ఫైలులో హానికరమైన కోడ్‌ ఉండవచ్చు. దాన్ని నడపడం వల్ల, మీ సిస్టమ్ లొంగిపోవచ్చు.", 'imagemaxsize' => "బొమ్మ పరిమాణంపై పరిమితి:<br />''(దస్త్రపు వివరణ పుటల కొరకు)''", 'thumbsize' => 'నఖచిత్రం వైశాల్యం:', 'widthheightpage' => '$1 × $2, $3 {{PLURAL:$3|పేజీ|పేజీలు}}', 'file-info' => 'ఫైలు పరిమాణం: $1, MIME రకం: $2', 'file-info-size' => '$1 × $2 పిక్సెళ్ళు, ఫైలు పరిమాణం: $3, MIME రకం: $4', 'file-info-size-pages' => '$1 × $2 పిక్సెళ్ళు, దస్త్రపు పరిమాణం: $3, MIME రకం: $4, $5 {{PLURAL:$5|పేజీ|పేజీలు}}', 'file-nohires' => 'మరింత స్పష్టమైన బొమ్మ లేదు.', 'svg-long-desc' => 'SVG ఫైలు, నామమాత్రంగా $1 × $2 పిక్సెళ్ళు, ఫైలు పరిమాణం: $3', 'show-big-image' => 'అసలు పరిమాణం', 'show-big-image-preview' => 'ఈ మునుజూపు పరిమాణం: $1.', 'show-big-image-other' => 'ఇతర {{PLURAL:$2|వైశాల్యం|వైశాల్యాలు}}: $1.', 'show-big-image-size' => '$1 × $2 పిక్సెళ్ళు', 'file-info-gif-looped' => 'లూపులో పడింది', 'file-info-gif-frames' => '$1 {{PLURAL:$1|ఫ్రేము|ఫ్రేములు}}', 'file-info-png-looped' => 'పునరావృతమవుతుంది', 'file-info-png-repeat' => '{{PLURAL:$1|ఒకసారి|$1 సార్లు}} ఆడించారు', 'file-info-png-frames' => '$1 {{PLURAL:$1|ఫ్రేము|ఫ్రేములు}}', # Special:NewFiles 'newimages' => 'కొత్త ఫైళ్ళ కొలువు', 'imagelisttext' => "ఇది $2 వారీగా పేర్చిన '''$1''' {{PLURAL:$1|పైలు|ఫైళ్ళ}} జాబితా.", 'newimages-summary' => 'ఇటీవలే ఎగుమతైన ఫైళ్ళను ఈ ప్రత్యేక పేజీ చూపిస్తుంది.', 'newimages-legend' => 'పడపోత', 'newimages-label' => 'ఫైలుపేరు (లేదా దానిలోని భాగం):', 'showhidebots' => '($1 బాట్లు)', 'noimages' => 'చూసేందుకు ఏమీ లేదు.', 'ilsubmit' => 'వెతుకు', 'bydate' => 'తేదీ వారీగ', 'sp-newimages-showfrom' => '$2, $1 నుండి మొదలుపెట్టి కొత్త ఫైళ్ళను చూపించు', # Video information, used by Language::formatTimePeriod() to format lengths in the above messages 'seconds-abbrev' => '$1క్ష', 'days-abbrev' => '$1రో', 'seconds' => '{{PLURAL:$1|$1 క్షణం|$1 క్షణాల}}', 'minutes' => '{{PLURAL:$1|ఒక నిమిషం|$1 నిమిషాల}}', 'hours' => '{{PLURAL:$1|ఒక గంట|$1 గంటల}}', 'days' => '{{PLURAL:$1|ఒక రోజు|$1 రోజుల}}', 'weeks' => '{{PLURAL:$1|$1 వారం|$1 వారాలు}}', 'months' => '{{PLURAL:$1|ఒక నెల|$1 నెలల}}', 'years' => '{{PLURAL:$1|ఒక సంవత్సరం|$1 సంవత్సరాల}}', 'ago' => '$1 క్రితం', 'just-now' => 'ఇప్పుడే', # Human-readable timestamps 'hours-ago' => '$1 {{PLURAL:$1|గంట|గంటల}} క్రితం', 'minutes-ago' => '$1 {{PLURAL:$1|నిమిషం|నిమిషాల}} క్రితం', 'seconds-ago' => '$1 {{PLURAL:$1|క్షణం|క్షణాల}} క్రితం', 'monday-at' => 'సోమవారం నాడు $1కి', 'tuesday-at' => 'మంగళవారం నాడు $1కి', 'wednesday-at' => 'బుధవారం నాడు $1కి', 'thursday-at' => 'గురువారం నాడు $1కి', 'friday-at' => 'శుక్రవారం నాడు $1కి', 'saturday-at' => 'శనివారం నాడు $1కి', 'sunday-at' => 'ఆదివారం నాడు $1కి', 'yesterday-at' => 'నిన్న $1కి', # Bad image list 'bad_image_list' => 'కింద తెలిపిన తీరులో కలపాలి: జాబితాలో ఉన్నవాటినే (* గుర్తుతో మొదలయ్యే వాక్యాలు) పరిగణలోకి తీసుకుంటారు. వ్యాక్యంలో ఉన్న మొదటి లింకు ఒక చెడిపోయిన బొమ్మకు లింకు అయ్యుండాలి. అదే వాక్యంలో ఈ లింకు తరువాత వచ్చే లింకులను పట్టించుకోదు, ఆ పేజీలలో బొమ్మలు సరిగ్గా చేర్చారని భావిస్తుంది.', # Metadata 'metadata' => 'మెటాడేటా', 'metadata-help' => 'ఈ ఫైలులో అదనపు సమాచారం ఉంది, బహుశా దీన్ని సృష్టించడానికి లేదా సాంఖ్యీకరించడానికి వాడిన డిజిటల్ కేమెరా లేదా స్కానర్ ఆ సమాచారాన్ని చేర్చివుంవచ్చు. ఈ ఫైలుని అసలు స్థితి నుండి మారిస్తే, కొన్ని వివరాలు ఆ మారిన ఫైలులో పూర్తిగా ప్రతిఫలించకపోవచ్చు.', 'metadata-expand' => 'విస్తరిత వివరాలను చూపించు', 'metadata-collapse' => 'విస్తరిత వివరాలను దాచు', 'metadata-fields' => 'కింది జాబితాలో ఉన్న మెటాడేటా ఫీల్డులు, బొమ్మ పేజీలో మేటాడేటా టేబులు మూసుకొన్నపుడు కనబడతాయి. మిగతావి దాచేసి ఉంటాయి. * make * model * datetimeoriginal * exposuretime * fnumber * isospeedratings * focallength * artist * copyright * imagedescription * gpslatitude * gpslongitude * gpsaltitude', # Exif tags 'exif-imagewidth' => 'వెడల్పు', 'exif-imagelength' => 'ఎత్తు', 'exif-bitspersample' => 'ఒక్కో కాంపొనెంటుకు బిట్లు', 'exif-compression' => 'కుదింపు పద్ధతి (కంప్రెషను స్కీము)', 'exif-photometricinterpretation' => 'పిక్సెళ్ళ అమరిక', 'exif-orientation' => 'దిశ', 'exif-samplesperpixel' => 'కాంపొనెంట్ల సంఖ్య', 'exif-planarconfiguration' => 'డాటా అమరిక', 'exif-ycbcrsubsampling' => 'Y, C ల ఉప నమూనా నిష్పత్తి', 'exif-ycbcrpositioning' => 'Y మరియు C స్థానాలు', 'exif-xresolution' => 'క్షితిజసమాంతర స్పష్టత', 'exif-yresolution' => 'లంబ స్పష్టత', 'exif-stripoffsets' => 'బొమ్మ డేటా ఉన్న స్థలం', 'exif-rowsperstrip' => 'ఒక్కో పట్టికి ఉన్న అడ్డువరుసలు', 'exif-stripbytecounts' => 'ఒక్కో కుదించిన పట్టీలో ఉన్న బైట్లు', 'exif-jpeginterchangeformat' => 'JPEG SOI కి ఆఫ్‌సెట్', 'exif-jpeginterchangeformatlength' => 'JPEG డాటా యొక్క బైట్లు', 'exif-whitepoint' => 'శ్వేతబిందు వర్ణోగ్రత (క్రొమాటిసిటీ)', 'exif-primarychromaticities' => 'ప్రైమారిటీల వర్ణోగ్రతలు', 'exif-ycbcrcoefficients' => 'వర్ణస్థల మార్పు మాత్రిక స్థానసూచికలు', 'exif-referenceblackwhite' => 'నలుపు మరియు తెలుపు సూచీ విలువల యొక్క జత', 'exif-datetime' => 'ఫైలు మార్చిన తేదీ మరియు సమయం', 'exif-imagedescription' => 'బొమ్మ శీర్షిక', 'exif-make' => 'కేమెరా తయారీదారు', 'exif-model' => 'కేమెరా మోడల్', 'exif-software' => 'ఉపయోగించిన సాఫ్ట్&zwnj;వేర్', 'exif-artist' => 'కృతికర్త', 'exif-copyright' => 'కాపీ హక్కుదారు', 'exif-exifversion' => 'ఎక్సిఫ్ వెర్షన్', 'exif-flashpixversion' => 'అనుమతించే Flashpix కూర్పు', 'exif-colorspace' => 'వర్ణస్థలం', 'exif-componentsconfiguration' => 'ప్రతీ అంగం యొక్క అర్థం', 'exif-compressedbitsperpixel' => 'బొమ్మ కుదింపు పద్ధతి', 'exif-pixelydimension' => 'బొమ్మ వెడల్పు', 'exif-pixelxdimension' => 'బొమ్మ ఎత్తు', 'exif-usercomment' => 'వాడుకరి వ్యాఖ్యలు', 'exif-relatedsoundfile' => 'సంబంధిత శబ్ద ఫైలు', 'exif-datetimeoriginal' => 'డేటా తయారైన తేదీ, సమయం', 'exif-datetimedigitized' => 'డిజిటైజు చేసిన తేదీ, సమయం', 'exif-subsectime' => 'తేదీసమయం ఉపక్షణాలు', 'exif-subsectimeoriginal' => 'DateTimeOriginal ఉపసెకండ్లు', 'exif-subsectimedigitized' => 'DateTimeDigitized ఉపసెకండ్లు', 'exif-exposuretime' => 'ఎక్స్పోజరు సమయం', 'exif-exposuretime-format' => '$1 క్షణ ($2)', 'exif-fnumber' => 'F సంఖ్య', 'exif-exposureprogram' => 'ఎక్స్పోజరు ప్రోగ్రాము', 'exif-spectralsensitivity' => 'వర్ణపట సున్నితత్వం', 'exif-isospeedratings' => 'ISO స్పీడు రేటింగు', 'exif-shutterspeedvalue' => 'APEX షట్టరు వేగం', 'exif-aperturevalue' => 'APEX ఎపర్చరు', 'exif-brightnessvalue' => 'APEX దీప్తి', 'exif-exposurebiasvalue' => 'ఎక్స్పోజరు బయాస్', 'exif-maxaperturevalue' => 'గరిష్ఠ లాండు ఎపర్చరు', 'exif-subjectdistance' => 'వస్తువు దూరం', 'exif-meteringmode' => 'మీటరింగు మోడ్', 'exif-lightsource' => 'కాంతి మూలం', 'exif-flash' => 'ఫ్లాష్', 'exif-focallength' => 'కటకపు నాభ్యంతరం', 'exif-subjectarea' => 'వస్తువు ప్రదేశం', 'exif-flashenergy' => 'ఫ్లాష్ శక్తి', 'exif-focalplanexresolution' => 'X నాభి తలపు స్పష్టత', 'exif-focalplaneyresolution' => 'Y నాభి తలపు స్పష్టత', 'exif-focalplaneresolutionunit' => 'నాభితలపు స్పష్టత కొలమానం', 'exif-subjectlocation' => 'వస్తువు యొక్క ప్రాంతం', 'exif-exposureindex' => 'ఎక్స్పోజరు సూచిక', 'exif-sensingmethod' => 'గ్రహించే పద్ధతి', 'exif-filesource' => 'ఫైలు మూలం', 'exif-scenetype' => 'దృశ్యపు రకం', 'exif-customrendered' => 'కస్టమ్ బొమ్మ ప్రాసెసింగు', 'exif-exposuremode' => 'ఎక్స్పోజరు పద్ధతి', 'exif-whitebalance' => 'తెలుపు సంతులనం', 'exif-digitalzoomratio' => 'డిజిటల్ జూమ్ నిష్పత్తి', 'exif-focallengthin35mmfilm' => '35 మి.మీ. ఫిల్ములో నాభ్యంతరం', 'exif-scenecapturetype' => 'దృశ్య సంగ్రహ పద్ధతి', 'exif-gaincontrol' => 'దృశ్య నియంత్రణ', 'exif-contrast' => 'కాంట్రాస్టు', 'exif-saturation' => 'సంతృప్తి', 'exif-sharpness' => 'పదును', 'exif-devicesettingdescription' => 'డివైసు సెట్టుంగుల వివరణ', 'exif-subjectdistancerange' => 'వస్తు దూరపు శ్రేణి', 'exif-imageuniqueid' => 'విలక్షణమైన బొమ్మ ఐడీ', 'exif-gpsversionid' => 'GPS ట్యాగు కూర్పు', 'exif-gpslatituderef' => 'ఉత్తర లేదా దక్షిణ అక్షాంశం', 'exif-gpslatitude' => 'అక్షాంశం', 'exif-gpslongituderef' => 'తూర్పు లేదా పశ్చిమ రేఖాంశం', 'exif-gpslongitude' => 'రేఖాంశం', 'exif-gpsaltituderef' => 'ఎత్తుకు మూలం', 'exif-gpsaltitude' => 'సముద్ర మట్టం', 'exif-gpstimestamp' => 'GPS సమయం (అణు గడియారం)', 'exif-gpssatellites' => 'కొలిచేందుకు వాడిన ఉపగ్రహాలు', 'exif-gpsstatus' => 'రిసీవర్ స్థితి', 'exif-gpsmeasuremode' => 'కొలత పద్ధతి', 'exif-gpsdop' => 'కొలత ఖచ్చితత్వం', 'exif-gpsspeedref' => 'వేగపు కొలమానం', 'exif-gpsspeed' => 'GPS రిసీవరు వేగం', 'exif-gpstrackref' => 'కదలిక దిశ కోసం మూలం', 'exif-gpstrack' => 'కదలిక యొక్క దిశ', 'exif-gpsimgdirectionref' => 'బొమ్మ దిశ కోసం మూలం', 'exif-gpsimgdirection' => 'బొమ్మ యొక్క దిశ', 'exif-gpsmapdatum' => 'వాడిన జియోడెటిక్ సర్వే డేటా', 'exif-gpsdestlatituderef' => 'గమ్యస్థాన రేఖాంశం కోసం మూలం', 'exif-gpsdestlatitude' => 'గమ్యస్థానం యొక్క అక్షాంశం', 'exif-gpsdestlongituderef' => 'గమ్యస్థాన అక్షాంశం కోసం మూలం', 'exif-gpsdestlongitude' => 'గమ్యస్థానం యొక్క రేఖాంశం', 'exif-gpsdestbearingref' => 'గమ్యస్థాన బేరింగు కోసం మూలం', 'exif-gpsdestbearing' => 'గమ్యస్థానం బేరింగు', 'exif-gpsdestdistanceref' => 'గమ్యస్థానానీ ఉన్న దూరం కోసం మూలం', 'exif-gpsdestdistance' => 'గమ్యస్థానానికి దూరం', 'exif-gpsprocessingmethod' => 'GPS ప్రాసెసింగు పద్ధతి పేరు', 'exif-gpsareainformation' => 'GPS ప్రదేశం యొక్క పేరు', 'exif-gpsdatestamp' => 'GPS తేదీ', 'exif-gpsdifferential' => 'GPS తేడా సవరణ', 'exif-jpegfilecomment' => 'JPEG బొమ్మ వ్యాఖ్య', 'exif-keywords' => 'కీలకపదాలు', 'exif-worldregioncreated' => 'ఫొటో తీసిన ప్రపంచపు ప్రాంతం', 'exif-countrycreated' => 'ఫొటో తీసిన దేశం', 'exif-countrycodecreated' => 'ఫొటో తీసిన దేశపు కోడ్', 'exif-provinceorstatecreated' => 'ఫొటో తీసిన రాష్ట్రం లేదా ప్రాంతీయ విభాగం', 'exif-citycreated' => 'ఫొటో తీసిన నగరం', 'exif-sublocationcreated' => 'ఫొటో తీసిన నగరపు విభాగం', 'exif-worldregiondest' => 'ప్రపంచపు ప్రాంతం చూపబడింది', 'exif-countrydest' => 'దేశం చూపబడింది', 'exif-countrycodedest' => 'దేశపు కోడ్ చూపబడింది', 'exif-provinceorstatedest' => 'రాష్ట్రం లేదా ప్రాంతీయ విభాగం చూపబడింది', 'exif-citydest' => 'నగరం చూపబడింది', 'exif-sublocationdest' => 'నగరపు విభాగం చూపబడింది', 'exif-objectname' => 'పొట్టి శీర్షిక', 'exif-specialinstructions' => 'ప్రత్యేక సూచనలు', 'exif-headline' => 'శీర్షిక', 'exif-credit' => 'క్రెడిట్/సమర్పించినవారు', 'exif-source' => 'మూలం', 'exif-editstatus' => 'బొమ్మ యొక్క ఎడిటోరియల్ స్థితి', 'exif-urgency' => 'ఎంత త్వరగా కావాలి', 'exif-locationdest' => 'చూపించిన ప్రాంతం', 'exif-objectcycle' => 'ఈ మాధ్యమం ఉద్దేశించిన సమయం', 'exif-contact' => 'సంప్రదింపు సమాచారం', 'exif-writer' => '', 'exif-languagecode' => 'భాష', 'exif-iimversion' => 'IIM రూపాంతరం', 'exif-iimcategory' => 'వర్గం', 'exif-iimsupplementalcategory' => 'అనుషంగిక వర్గాలు', 'exif-datetimeexpires' => 'దీని తరువాత వాడవద్దు', 'exif-datetimereleased' => 'విడుదల తేదీ', 'exif-identifier' => 'గుర్తింపకం', 'exif-lens' => 'వాడిన కటకం', 'exif-serialnumber' => 'కెమేరా యొక్క సీరియల్ నంబర్', 'exif-cameraownername' => 'కేమెరా యజమాని', 'exif-rating' => 'రేటింగు (5 కి గాను)', 'exif-rightscertificate' => 'హక్కుల నిర్వాహణ ధృవీకరణ పత్రం', 'exif-copyrighted' => 'కాపీహక్కుల స్థితి', 'exif-copyrightowner' => 'కాపీ హక్కుదారు', 'exif-usageterms' => 'వాడుక నియమాలు', 'exif-morepermissionsurl' => 'ప్రత్యామ్నాయ లైసెన్సు సమాచారం', 'exif-pngfilecomment' => 'PNG ఫైలు వ్యాఖ్య', 'exif-disclaimer' => 'నిష్పూచీ', 'exif-contentwarning' => 'విషయపు హెచ్చరిక', 'exif-giffilecomment' => 'GIF ఫైలు వ్యాఖ్య', 'exif-intellectualgenre' => 'అంశము యొక్క రకము', 'exif-subjectnewscode' => 'సబ్జెక్టు కోడ్', 'exif-event' => 'చూపించిన ఘటన', 'exif-organisationinimage' => 'చూపించిన సంస్థ', 'exif-personinimage' => 'చిత్రంలో ఉన్న వ్యక్తి', 'exif-originalimageheight' => 'కత్తిరించబడక ముందు బొమ్మ యొక్క ఎత్తు', 'exif-originalimagewidth' => 'కత్తిరించబడక ముందు బొమ్మ యొక్క వెడల్పు', # Exif attributes 'exif-compression-1' => 'కుదించని', 'exif-copyrighted-true' => 'నకలుహక్కులుకలది', 'exif-copyrighted-false' => 'కాపీహక్కుల స్థితి అమర్చలేదు', 'exif-unknowndate' => 'అజ్ఞాత తేదీ', 'exif-orientation-1' => 'సాధారణ', 'exif-orientation-2' => 'క్షితిజ సమాంతరంగా తిరగేసాం', 'exif-orientation-3' => '180° తిప్పాం', 'exif-orientation-4' => 'నిలువుగా తిరగేసాం', 'exif-orientation-5' => 'అపసవ్య దిశలో 90° తిప్పి, నిలువుగా తిరగేసాం', 'exif-orientation-6' => 'అపసవ్యదిశలో 90° తిప్పారు', 'exif-orientation-7' => 'సవ్యదిశలో 90° తిప్పి, నిలువుగా తిరగేసాం', 'exif-orientation-8' => 'సవ్యదిశలో 90° తిప్పారు', 'exif-planarconfiguration-1' => 'స్థూల ఆకృతి', 'exif-planarconfiguration-2' => 'సమతల ఆకృతి', 'exif-componentsconfiguration-0' => 'లేదు', 'exif-exposureprogram-0' => 'అనిర్వచితం', 'exif-exposureprogram-1' => 'చేతితో', 'exif-exposureprogram-2' => 'మామూలు ప్రోగ్రాము', 'exif-exposureprogram-3' => 'ఎపర్చరు ప్రాముఖ్యత', 'exif-exposureprogram-4' => 'షట్టరు ప్రాముఖ్యత', 'exif-exposureprogram-5' => 'సృజనాత్మక ప్రోగ్రాము (క్షేత్రపు లోతువైపు మొగ్గుతో)', 'exif-exposureprogram-6' => 'చర్య ప్రోగ్రాము (షట్టర్ వేగం వైపు మొగ్గుతో)', 'exif-exposureprogram-7' => 'పోర్ట్రైటు పద్ధతి (నేపథ్యం దృశ్యంలోకి రాకుండా క్లోజప్ ఫోటోలు)', 'exif-exposureprogram-8' => 'విస్తృత పద్ధతి (నేపథ్యం దృశ్యంలోకి వస్తూ ఉండే విస్తృత ఫోటోలు)', 'exif-subjectdistance-value' => '$1 మీటర్లు', 'exif-meteringmode-0' => 'అజ్ఞాతం', 'exif-meteringmode-1' => 'సగటు', 'exif-meteringmode-2' => 'CenterWeightedAverage', 'exif-meteringmode-3' => 'స్థలం', 'exif-meteringmode-4' => 'బహుళస్థలం', 'exif-meteringmode-5' => 'సరళి', 'exif-meteringmode-6' => 'పాక్షికం', 'exif-meteringmode-255' => 'ఇతర', 'exif-lightsource-0' => 'తెలియదు', 'exif-lightsource-1' => 'సూర్యకాంతి', 'exif-lightsource-2' => 'ఫ్లోరోసెంట్', 'exif-lightsource-3' => 'టంగ్‌స్టన్ (మామూలు బల్బు)', 'exif-lightsource-4' => 'ఫ్లాష్', 'exif-lightsource-9' => 'ఆహ్లాద వాతావరణం', 'exif-lightsource-10' => 'మేఘావృతం', 'exif-lightsource-11' => 'నీడ', 'exif-lightsource-12' => 'పగటి వెలుగు ఫ్లోరోసెంట్ (D 5700 – 7100K)', 'exif-lightsource-13' => 'పగటి తెలుపు ఫ్లోరోసెంట్ (N 4600 – 5400K)', 'exif-lightsource-14' => 'చల్లని తెలుపు ఫ్లోరోసెంట్ (W 3900 – 4500K)', 'exif-lightsource-15' => 'తెల్లని ఫ్లోరోసెంట్ (WW 3200 – 3700K)', 'exif-lightsource-17' => 'ప్రామాణిక కాంతి A', 'exif-lightsource-18' => 'ప్రామాణిక కాంతి B', 'exif-lightsource-19' => 'ప్రామాణిక కాంతి C', 'exif-lightsource-24' => 'ISO స్టూడియోలోని బల్బు వెలుతురు', 'exif-lightsource-255' => 'ఇతర కాంతి మూలం', # Flash modes 'exif-flash-fired-0' => 'ఫ్లాష్ వెలగలేదు', 'exif-flash-fired-1' => 'ఫ్లాష్ వెలిగింది', 'exif-flash-return-0' => 'స్ట్రోబ్ రిటర్న్ డిటెక్షన్ ఫంక్షను లేదు', 'exif-flash-return-2' => 'స్ట్రోబ్ రిటర్న్ లైటును కనుగొనలేదు', 'exif-flash-return-3' => 'స్ట్రోబ్ రిటర్న్ లైటు కనబడింది', 'exif-flash-mode-1' => 'తప్పనిసరిగా ఫ్లాష్ వెలుగుతుంది', 'exif-flash-mode-2' => 'తప్పనిసరిగా ఫ్లాష్ వెలగదు', 'exif-flash-mode-3' => 'ఆటో మోడ్', 'exif-flash-function-1' => 'ఫ్లాష్ ఫంక్షను లేదు', 'exif-flash-redeye-1' => 'ఎర్ర-కన్ను తగ్గింపు పద్ధతి', 'exif-focalplaneresolutionunit-2' => 'అంగుళాలు', 'exif-sensingmethod-1' => 'అనిర్వచితం', 'exif-sensingmethod-2' => 'ఒక-చిప్పున్న రంగును గుర్తించే సెన్సారు', 'exif-sensingmethod-3' => 'రెండు-చిప్పులున్న రంగును గుర్తించే సెన్సారు', 'exif-sensingmethod-4' => 'మూడు-చిప్పులున్న రంగును గుర్తించే సెన్సారు', 'exif-sensingmethod-5' => 'వర్ణ అనుక్రమ సీమ సెన్సర్', 'exif-sensingmethod-7' => 'త్రిసరళరేఖా సెన్సర్', 'exif-sensingmethod-8' => 'వర్ణ అనుక్రమ రేఖా సెన్సర్', 'exif-filesource-3' => 'సాంఖ్యీక సాధారణ కెమెరా', 'exif-scenetype-1' => 'ఎటువంటి హంగులూ లేకుండా ఫొటోతీయబడిన బొమ్మ', 'exif-customrendered-0' => 'సాధారణ ప్రక్రియ', 'exif-customrendered-1' => 'ప్రత్యేక ప్రక్రియ', 'exif-exposuremode-0' => 'ఆటోమాటిక్ ఎక్స్పోజరు', 'exif-exposuremode-1' => 'అమర్చిన ఎక్స్పోజరు', 'exif-exposuremode-2' => 'వెలుతురుబట్టి అంచలవారీగా మారింది', 'exif-whitebalance-0' => 'ఆటోమాటిక్ తెలుపు సంతులనం', 'exif-whitebalance-1' => 'అమర్చిన తెలుపు సంతులనం', 'exif-scenecapturetype-0' => 'ప్రామాణిక', 'exif-scenecapturetype-1' => 'ప్రకృతిదృశ్యం', 'exif-scenecapturetype-2' => 'వ్యక్తి చిత్రణ', 'exif-scenecapturetype-3' => 'రాత్రి దృశ్యం', 'exif-gaincontrol-0' => 'ఏదీ కాదు', 'exif-gaincontrol-1' => 'చిన్న గెయిన్ పెంపు', 'exif-gaincontrol-2' => 'పెద్ద గెయిన్ పెంపు', 'exif-gaincontrol-3' => 'చిన్న గెయిన్ తగ్గింపు', 'exif-gaincontrol-4' => 'పెద్ద గెయిన్ తగ్గింపు', 'exif-contrast-0' => 'సాధారణ', 'exif-contrast-1' => 'మృదువు', 'exif-contrast-2' => 'కఠినం', 'exif-saturation-0' => 'సాధారణ', 'exif-saturation-1' => 'రంగులు ముద్దలు ముద్దలుగా తయారవ్వలేదు', 'exif-saturation-2' => 'రంగులు ముద్దలు ముద్దలుగా తయారయ్యాయి', 'exif-sharpness-0' => 'సాధారణ', 'exif-sharpness-1' => 'మృదువు', 'exif-sharpness-2' => 'కఠినం', 'exif-subjectdistancerange-0' => 'అజ్ఞాతం', 'exif-subjectdistancerange-1' => 'మాక్రో', 'exif-subjectdistancerange-2' => 'దగ్గరి దృశ్యం', 'exif-subjectdistancerange-3' => 'దూరపు దృశ్యం', # Pseudotags used for GPSLatitudeRef and GPSDestLatitudeRef 'exif-gpslatitude-n' => 'ఉత్తర అక్షాంశం', 'exif-gpslatitude-s' => 'దక్షిణ అక్షాంశం', # Pseudotags used for GPSLongitudeRef and GPSDestLongitudeRef 'exif-gpslongitude-e' => 'తూర్పు రేఖాంశం', 'exif-gpslongitude-w' => 'పశ్చిమ రేఖాంశం', # Pseudotags used for GPSAltitudeRef 'exif-gpsaltitude-above-sealevel' => 'సముద్రమట్టానికి $1 {{PLURAL:$1|మీటరు|మీటర్లు}} ఎగువన', 'exif-gpsaltitude-below-sealevel' => 'సముద్రమట్టానికి $1 {{PLURAL:$1|మీటరు|మీటర్లు}} దిగువున', 'exif-gpsstatus-a' => 'కొలత జరుగుతూంది', 'exif-gpsstatus-v' => 'కొలత ఇంటర్‌ఆపరేటబిలిటీ', 'exif-gpsmeasuremode-2' => 'ద్వైమానిక కొలమానం', 'exif-gpsmeasuremode-3' => 'త్రిదిశాత్మక కొలమానం', # Pseudotags used for GPSSpeedRef 'exif-gpsspeed-k' => 'గంటకి కిలోమీటర్లు', 'exif-gpsspeed-m' => 'గంటకి మైళ్ళు', 'exif-gpsspeed-n' => 'ముడులు', # Pseudotags used for GPSDestDistanceRef 'exif-gpsdestdistance-k' => 'కిలోమీటర్లు', 'exif-gpsdestdistance-m' => 'మైళ్ళు', 'exif-gpsdestdistance-n' => 'నాటికల్ మైళ్ళు', 'exif-objectcycle-a' => 'ఉదయం మాత్రమే', 'exif-objectcycle-p' => 'సాయంత్రం మాత్రమే', 'exif-objectcycle-b' => 'ఉదయమూ మరియు సాయంత్రమూ', # Pseudotags used for GPSTrackRef, GPSImgDirectionRef and GPSDestBearingRef 'exif-gpsdirection-t' => 'వాస్తవ దిశ', 'exif-gpsdirection-m' => 'అయస్కాంత దిశ', 'exif-dc-contributor' => 'సహాయకులు', 'exif-dc-date' => 'తేదీ‍‍(లు)', 'exif-dc-publisher' => 'ప్రచురణకర్త', 'exif-dc-relation' => 'సంబంధిత మీడియా', 'exif-dc-rights' => 'హక్కులు', 'exif-dc-source' => 'మీడియా మూలము', 'exif-dc-type' => 'మీడియా యొక్క రకము', 'exif-rating-rejected' => 'తిరస్కరించబడింది', 'exif-isospeedratings-overflow' => '65535 కంటే ఎక్కువ', 'exif-iimcategory-ace' => 'కళలు, సంస్కృతి మరియు వినోదం', 'exif-iimcategory-clj' => 'నేరము మరియు చట్టము', 'exif-iimcategory-dis' => 'విపత్తులు మరియు ప్రమాదాలు', 'exif-iimcategory-fin' => 'ఆర్ధికం మరియు వ్యాపారం', 'exif-iimcategory-edu' => 'విద్య', 'exif-iimcategory-evn' => 'పర్యావరణం', 'exif-iimcategory-hth' => 'ఆరోగ్యం', 'exif-iimcategory-hum' => 'మానవీయ ఆసక్తి', 'exif-iimcategory-lab' => 'కృషి', 'exif-iimcategory-lif' => 'జీవనశైలి మరియు కాలక్షేపం', 'exif-iimcategory-pol' => 'రాజకీయాలు', 'exif-iimcategory-rel' => 'మతం మరియు విశ్వాసం', 'exif-iimcategory-sci' => 'వైజ్ఞానికం మరియు సాంకేతికం', 'exif-iimcategory-soi' => 'సాంఘిక సమస్యలు', 'exif-iimcategory-spo' => 'క్రీడలు', 'exif-iimcategory-war' => 'యుద్ధం, సంఘర్షణలు మరియు అనిశ్చితి', 'exif-iimcategory-wea' => 'వాతావరణం', 'exif-urgency-normal' => 'సాధారణం ($1)', 'exif-urgency-low' => 'తక్కువ ($1)', 'exif-urgency-high' => 'ఎక్కువ ($1)', 'exif-urgency-other' => 'వాడుకరి-నిర్వచిత ప్రాథాన్యత ($1)', # External editor support 'edit-externally' => 'బయటి అప్లికేషను వాడి ఈ ఫైలును మార్చు', 'edit-externally-help' => '(మరింత సమాచారం కొరకు [//www.mediawiki.org/wiki/Manual:External_editors సెటప్‌ సూచనల]ని చూడండి)', # 'all' in various places, this might be different for inflected languages 'watchlistall2' => 'అన్నీ', 'namespacesall' => 'అన్నీ', 'monthsall' => 'అన్నీ', 'limitall' => 'అన్నీ', # Email address confirmation 'confirmemail' => 'ఈ-మెయిలు చిరునామా ధృవీకరించండి', 'confirmemail_noemail' => '[[Special:Preferences|మీ అభిరుచులలో]] ఈమెయిలు అడ్రసు పెట్టి లేదు.', 'confirmemail_text' => '{{SITENAME}}లో ఈ-మెయిలు అంశాల్ని వాడుకునే ముందు మీ ఈ-మెయిలు చిరునామాను నిర్ధారించవలసిన అవసరం ఉంది. కింది మీటను నొక్కగానే మీరిచ్చిన చిరునామాకు ధృవీకరణ మెయిలు వెళ్తుంది. ఆ మెయిల్లో ఒక సంకేతం కలిగిన ఒక లింకు ఉంటుంది; ఆ లింకును మీ బ్రౌజరులో తెరవండి. ఈ-మెయిలు చిరునామా ధృవీకరణ అయిపోతుంది.', 'confirmemail_pending' => 'ఒక నిర్ధారణ కోడుని మీకు ఇప్పటికే ఈ-మెయిల్లో పంపించాం; కొద్దిసేపటి క్రితమే మీ ఖాతా సృష్టించి ఉంటే, కొత్త కొడు కోసం అభ్యర్థన పంపేముందు కొద్ది నిమిషాలు వేచిచూడండి.', 'confirmemail_send' => 'ఒక ధృవీకరణ సంకేతాన్ని పంపించు', 'confirmemail_sent' => 'ధృవీకరణ ఈ-మెయిలును పంపబడినది', 'confirmemail_oncreate' => 'మీ ఈ-మెయిలు చిరునామాకి ఒక ధృవీకరణ సంకేతాన్ని పంపించాం. లోనికి ప్రవేశించేందుకు ఆ సంకేతం అవసరంలేదు, కానీ ఈ వికీలో ఈ-మెయిలు ఆధారిత సౌలభ్యాలను చేతనం చేసేముందు దాన్ని ఇవ్వవలసి ఉంటుంది.', 'confirmemail_sendfailed' => '{{SITENAME}} మీ నిర్ధారణ మెయిలుని పంపలేకపోయింది. మీ ఈమెయిల్ చిరునామాలో తప్పులున్నాయేమో సరిచూసుకోండి. మెయిలరు ఇలా చెప్పింది: $1', 'confirmemail_invalid' => 'ధృవీకరణ సంకేతం సరైనది కాదు. దానికి కాలం చెల్లి ఉండవచ్చు.', 'confirmemail_needlogin' => 'మీ ఈమెయిలు చిరునామాని దృవపరచటానికి మీరు $1 ఉండాలి.', 'confirmemail_success' => 'మీ ఈ-మెయిలు చిరునామా ధృవీకరించబడింది. ఇక [[Special:UserLogin|లోనికి ప్రవేశించి]] వికీని అస్వాదించండి.', 'confirmemail_loggedin' => 'మీ ఈ-మెయిలు చిరునామా ఇప్పుడు రూఢి అయింది.', 'confirmemail_error' => 'మీ ధృవీకరణను భద్రపరచడంలో ఏదో లోపం జరిగింది.', 'confirmemail_subject' => '{{SITENAME}} ఈ-మెయిలు చిరునామా ధృవీకరణ', 'confirmemail_body' => '$1 ఐపీ చిరునామా నుండి ఎవరో, బహుశా మీరే, {{SITENAME}}లో "$2" అనే ఖాతాని ఈ ఈ-మెయిలు చిరునామాతో నమోదుచేసుకున్నారు. ఆ ఖాతా నిజంగా మీదే అని నిర్ధారించేందుకు మరియు {{SITENAME}}లో ఈ-మెయిలు సౌలభ్యాలని చేతనం చేసుకునేందుకు, ఈ లంకెని మీ విహారిణిలో తెరవండి: $3 ఒకవేళ ఆ ఖాతా మీది *కాకపోతే*, ఈ-మెయిలు చిరునామా నిర్ధారణని రద్దుచేసేందుకు ఈ లంకెని అనుసరించండి: $5 ఈ నిర్ధారణా సంకేతం $4కి కాలంచెల్లుతుంది.', 'confirmemail_body_changed' => '$1 ఐపీ చిరునామా నుండి ఎవరో, బహుశా మీరే, {{SITENAME}}లో "$2" అనే ఖాతా యొక్క ఈ-మెయిలు చిరునామాని ఈ చిరునామాకి మార్చారు. ఆ ఖాతా నిజంగా మీదే అని నిర్ధారించేందుకు మరియు {{SITENAME}}లో ఈ-మెయిలు సౌలభ్యాలని పునఃచేతనం చేసుకునేందుకు, ఈ లంకెని మీ విహారిణిలో తెరవండి: $3 ఒకవేళ ఆ ఖాతా మీది *కాకపోతే*, ఈ-మెయిలు చిరునామా నిర్ధారణని రద్దుచేసేందుకు ఈ లంకెని అనుసరించండి: $5 ఈ నిర్ధారణా సంకేతం $4కి కాలంచెల్లుతుంది.', 'confirmemail_invalidated' => 'ఈ-మెయిలు చిరునామా నిర్ధారణని రద్దుచేసాం', 'invalidateemail' => 'ఈ-మెయిలు నిర్ధారణని రద్దుచేయండి', # Scary transclusion 'scarytranscludedisabled' => '[ఇతరవికీల మూసలను ఇక్కడ వాడటాన్ని అనుమతించటం లేదు]', 'scarytranscludefailed' => '[$1 కొరకు మూసను తీసుకురావటం విఫలమైంది]', 'scarytranscludetoolong' => '[URL మరీ పొడుగ్గా ఉంది]', # Delete conflict 'deletedwhileediting' => "'''హెచ్చరిక''': మీరు మార్పులు చేయటం మొదలుపెట్టాక ఈ పేజీ తొలగించబడింది!", 'confirmrecreate' => "మీరు పేజీ రాయటం మొదలుపెట్టిన తరువాత [[User:$1|$1]] ([[User talk:$1|చర్చ]]) దానిని తీసివేసారు. దానికి ఈ కారణం ఇచ్చారు: ''$2'' మీరు ఈ పేజీని మళ్ళీ తయారు చేయాలనుకుంటున్నారని ధృవీకరించండి.", 'confirmrecreate-noreason' => 'మీరు మార్చడం మొదలుపెట్టిన తర్వాత ఈ పుటను వాడుకరి [[User:$1|$1]] ([[User talk:$1|చర్చ]]) తొలగించారు. ఈ పుటను మీరు నిజంగానే పునఃసృష్టించాలనుకుంటున్నారని నిర్ధారించండి.', 'recreate' => 'మళ్లీ సృష్టించు', # action=purge 'confirm_purge_button' => 'సరే', 'confirm-purge-top' => 'ఈ పేజీ యొక్క పాత కాపీని తొలగించమంటారా?', 'confirm-purge-bottom' => 'సత్వరనిల్వ(cache)లోపేజీ నిర్మూలించితే, ఇటీవలి కూర్పు కనబడుతుంది.', # action=watch/unwatch 'confirm-watch-button' => 'సరే', 'confirm-watch-top' => 'ఈ పుటను మీ వీక్షణ జాబితాలో చేర్చాలా?', 'confirm-unwatch-button' => 'సరే', 'confirm-unwatch-top' => 'ఈ పుటను మీ వీక్షణ జాబితా నుండి తొలగించాలా?', # Multipage image navigation 'imgmultipageprev' => '← మునుపటి పేజీ', 'imgmultipagenext' => 'తరువాతి పేజీ →', 'imgmultigo' => 'వెళ్ళు!', 'imgmultigoto' => '$1వ పేజీకి వెళ్ళు', # Table pager 'ascending_abbrev' => 'ఆరోహణ', 'descending_abbrev' => 'అవరోహణ', 'table_pager_next' => 'తరువాతి పేజీ', 'table_pager_prev' => 'ముందరి పేజీ', 'table_pager_first' => 'మొదటి పేజీ', 'table_pager_last' => 'చివరి పేజీ', 'table_pager_limit' => 'పేజీకి $1 అంశాలను చూపించు', 'table_pager_limit_label' => 'పేజీకి ఎన్ని అంశాలు:', 'table_pager_limit_submit' => 'వెళ్ళు', 'table_pager_empty' => 'ఫలితాలు లేవు', # Auto-summaries 'autosumm-blank' => 'పేజీలోని విషయాన్నంతటినీ తీసేసారు.', 'autosumm-replace' => "పేజీని '$1' తో మారుస్తున్నాం", 'autoredircomment' => '[[$1]]కు దారిమళ్ళించారు', 'autosumm-new' => "'$1' తో కొత్త పేజీని సృష్టించారు", # Live preview 'livepreview-loading' => 'లోడవుతోంది...', 'livepreview-ready' => 'లోడవుతోంది… సిద్ధం!', 'livepreview-failed' => 'టైపు చేస్తుండగా ప్రీవ్యూ సృష్టించడం కుదరలేదు! మామూలు ప్రీవ్యూను ప్రయత్నించండి.', 'livepreview-error' => 'అనుసంధానం కుదరలేదు: $1 "$2". మామూలు ప్రీవ్యూ ప్రయత్నించి చూడండి.', # Friendlier slave lag warnings 'lag-warn-normal' => '$1 {{PLURAL:$1|క్షణం|క్షణాల}} లోపు జరిగిన మార్పులు ఈ జాబితాలో కనిపించకపోవచ్చు.', 'lag-warn-high' => 'అధిక వత్తిడి వలన డేటాబేసు సర్వరు వెనుకబడింది, $1 {{PLURAL:$1|క్షణం|క్షణాల}} కంటే కొత్తవైన మార్పులు ఈ జాబితాలో కనిపించకపోవచ్చు.', # Watchlist editor 'watchlistedit-numitems' => 'మీ వీక్షణ జాబితాలో చర్చాపేజీలు కాకుండా {{PLURAL:$1|1 శీర్షిక|$1 శీర్షికలు}} ఉన్నాయి.', 'watchlistedit-noitems' => 'మీ వీక్షణ జాబితాలో శీర్షికలేమీ లేవు.', 'watchlistedit-normal-title' => 'వీక్షణ జాబితాను మార్చు', 'watchlistedit-normal-legend' => 'వీక్షణ జాబితా నుండి శీర్షికలను తీసివెయ్యి', 'watchlistedit-normal-explain' => 'మీ వీక్షణ జాబితాలోని శీర్షికలను ఈ క్రింద చూపించాం. ఏదైనా శీర్షికను తీసివేసేందుకు, దాని పక్కనున్న పెట్టెను చెక్ చేసి, "{{int:Watchlistedit-normal-submit}}"ని నొక్కండి. మీరు [[Special:EditWatchlist/raw|ముడి జాబితాను కూడా మార్చవచ్చు]].', 'watchlistedit-normal-submit' => 'శీర్షికలను తీసివెయ్యి', 'watchlistedit-normal-done' => 'మీ వీక్షణ జాబితా నుండి {{PLURAL:$1|1 శీర్షికను|$1 శీర్షికలను}} తీసివేసాం:', 'watchlistedit-raw-title' => 'ముడి వీక్షణ జాబితాను మార్చు', 'watchlistedit-raw-legend' => 'ముడి వీక్షణ జాబితాను మార్చు', 'watchlistedit-raw-explain' => 'మీ వీక్షణ జాబితాలోని శీర్షికలను ఈ కింద చూపించాం. ఈ జాబితాలో ఉన్నవాటిని తీసివెయ్యడం గానీ కొత్తవాటిని చేర్చడం గానీ (వరుసకొకటి చొప్పున) చెయ్యవచ్చు. పూర్తయ్యాక, "{{int:Watchlistedit-raw-submit}}" అన్న బొత్తాన్ని నొక్కండి. మీరు [[Special:EditWatchlist|మామూలు పాఠ్యకూర్పరిని కూడా వాడవచ్చు]].', 'watchlistedit-raw-titles' => 'శీర్షికలు:', 'watchlistedit-raw-submit' => 'వీక్షణ జాబితాను తాజాకరించు', 'watchlistedit-raw-done' => 'మీ వీక్షణ జాబితాను తాజాకరించాం.', 'watchlistedit-raw-added' => '{{PLURAL:$1|1 శీర్షికను|$1 శీర్షికలను}} చేర్చాం:', 'watchlistedit-raw-removed' => '{{PLURAL:$1|1 శీర్షికను|$1 శీర్షికలను}} తీసివేశాం:', # Watchlist editing tools 'watchlisttools-view' => 'సంబంధిత మార్పులను చూడండి', 'watchlisttools-edit' => 'వీక్షణ జాబితాను చూడండి లేదా మార్చండి', 'watchlisttools-raw' => 'ముడి వీక్షణ జాబితాలో మార్పులు చెయ్యి', # Signatures 'signature' => '[[{{ns:user}}:$1|$2]] ([[{{ns:user_talk}}:$1|చర్చ]])', # Core parser functions 'unknown_extension_tag' => '"$1" అనే ట్యాగు ఈ పొడిగింతకు తెలియదు', 'duplicate-defaultsort' => 'హెచ్చరిక: డిఫాల్టు పేర్చు కీ "$2", గత డిఫాల్టు పేర్చు కీ "$1" ని అతిక్రమిస్తుంది.', # Special:Version 'version' => 'సంచిక', 'version-extensions' => 'స్థాపించిన పొడగింతలు', 'version-specialpages' => 'ప్రత్యేక పేజీలు', 'version-parserhooks' => 'పార్సరు కొక్కాలు', 'version-variables' => 'చరరాశులు', 'version-antispam' => 'స్పాము నివారణ', 'version-skins' => 'అలంకారాలు', 'version-other' => 'ఇతర', 'version-mediahandlers' => 'మీడియాను ఫైళ్లను నడిపించే పొడిగింపులు', 'version-hooks' => 'కొక్కాలు', 'version-parser-extensiontags' => 'పార్సరు పొడిగింపు ట్యాగులు', 'version-parser-function-hooks' => 'పార్సరుకు కొక్కాలు', 'version-hook-name' => 'కొక్కెం పేరు', 'version-hook-subscribedby' => 'ఉపయోగిస్తున్నవి', 'version-version' => '(సంచిక $1)', 'version-license' => 'లైసెన్సు', 'version-poweredby-credits' => "ఈ వికీ '''[//www.mediawiki.org/ మీడియావికీ]'''చే శక్తిమంతం, కాపీహక్కులు © 2001-$1 $2.", 'version-poweredby-others' => 'ఇతరులు', 'version-license-info' => 'మీడియావికీ అన్నది స్వేచ్ఛా మృదూపకరణం; మీరు దీన్ని పునఃపంపిణీ చేయవచ్చు మరియు/లేదా ఫ్రీ సాఫ్ట్&zwnj;వేర్ ఫౌండేషన్ ప్రచురించిన గ్నూ జనరల్ పబ్లిక్ లైసెస్సు వెర్షను 2 లేదా (మీ ఎంపిక ప్రకారం) అంతకంటే కొత్త వెర్షను యొక్క నియమాలకు లోబడి మార్చుకోవచ్చు. మీడియావికీ ప్రజోపయోగ ఆకాంక్షతో పంపిణీ చేయబడుతుంది, కానీ ఎటువంటి వారంటీ లేకుండా; కనీసం ఏదైనా ప్రత్యేక ఉద్దేశానికి సరిపడుతుందని గానీ లేదా వస్తుత్వం యొక్క అంతర్నిహిత వారంటీ లేకుండా. మరిన్ని వివరాలకు గ్నూ జనరల్ పబ్లిక్ లైసెన్సుని చూడండి. ఈ ఉపకరణంతో పాటు మీకు [{{SERVER}}{{SCRIPTPATH}}/COPYING గ్నూ జనరల్ పబ్లిక్ లైసెన్సు యొక్క ఒక కాపీ] అందివుండాలి; లేకపోతే, Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA అన్న చిరునామాకి వ్రాయండి లేదా [//www.gnu.org/licenses/old-licenses/gpl-2.0.html జాలం లోనే చదవండి].', 'version-software' => 'స్థాపిత మృదూపకరణాలు', 'version-software-product' => 'ప్రోడక్టు', 'version-software-version' => 'వెర్షను', 'version-entrypoints' => 'ప్రవేశ బిందు చిరునామాలు', 'version-entrypoints-header-entrypoint' => 'ప్రవేశ బిందువు', 'version-entrypoints-header-url' => 'చిరునామా', # Special:Redirect 'redirect-submit' => 'వెళ్ళు', 'redirect-value' => 'విలువ:', 'redirect-user' => 'వాడుకరి ID', 'redirect-revision' => 'పేజీ కూర్పు', 'redirect-file' => 'దస్త్రపు పేరు', 'redirect-not-exists' => 'విలువ కనబడలేదు', # Special:FileDuplicateSearch 'fileduplicatesearch' => 'ఫైళ్ల మారుప్రతుల కోసం వెతుకు', 'fileduplicatesearch-summary' => 'మారుప్రతుల కోసం ఫైళ్ల హాష్ విలువ ఆధారంగా వెతుకు.', 'fileduplicatesearch-legend' => 'మారుప్రతి కొరకు వెతుకు', 'fileduplicatesearch-filename' => 'ఫైలు పేరు:', 'fileduplicatesearch-submit' => 'వెతుకు', 'fileduplicatesearch-info' => '$1 × $2 పిక్సెళ్లు<br />దస్త్రపు పరిమాణం: $3<br />MIME రకం: $4', 'fileduplicatesearch-result-1' => '"$1" అనే పేరుగల ఫైలుకు సరిసమానమైన మారుప్రతులు లేవు.', 'fileduplicatesearch-result-n' => '"$1" అనే పేరుగల ఫైలుకు {{PLURAL:$2|ఒక మారుప్రతి ఉంది|$2 మారుప్రతులున్నాయి}}.', 'fileduplicatesearch-noresults' => '"$1" అనే పేరుగల దస్త్రమేమీ కనబడలేదు.', # Special:SpecialPages 'specialpages' => 'ప్రత్యేక పేజీలు', 'specialpages-note' => '---- * మామూలు ప్రత్యేక పుటలు. * <strong class="mw-specialpagerestricted">నియంత్రిత ప్రత్యేక పుటలు.</strong> * <span class="mw-specialpagecached">Cached ప్రత్యేక పుటలు (పాతబడి ఉండొచ్చు).</span>', 'specialpages-group-maintenance' => 'నిర్వహణా నివేదికలు', 'specialpages-group-other' => 'ఇతర ప్రత్యేక పేజీలు', 'specialpages-group-login' => 'ప్రవేశించండి / ఖాతాను సృష్టించుకోండి', 'specialpages-group-changes' => 'ఇటీవలి మార్పులు మరియు దినచర్యలు', 'specialpages-group-media' => 'మాధ్యమ నివేదికలు మరియు ఎగుమతులు', 'specialpages-group-users' => 'వాడుకర్లు మరియు హక్కులు', 'specialpages-group-highuse' => 'అధిక వాడుక పేజీలు', 'specialpages-group-pages' => 'పేజీల యొక్క జాబితాలు', 'specialpages-group-pagetools' => 'పేజీ పనిముట్లు', 'specialpages-group-wiki' => 'డాటా మరియు పనిముట్లు', 'specialpages-group-redirects' => 'ప్రత్యేక పేజీల దారిమార్పులు', 'specialpages-group-spam' => 'స్పామ్ పనిముట్లు', # Special:BlankPage 'blankpage' => 'ఖాళీ పేజీ', 'intentionallyblankpage' => 'బెంచిమార్కింగు, మొదలగు వాటికై ఈ పేజీని కావాలనే ఖాళీగా వదిలాము.', # External image whitelist 'external_image_whitelist' => ' #ఈ లైనును ఎలా ఉన్నదో అలాగే వదిలెయ్యండి<pre> #regular expression తునకలను (// ల మధ్య ఉండే భాగం)కింద పెట్టండి #వీటిని బయటి బొమ్మల URLలతో సరిపోల్చుతాము #సరిపోలిన బొమ్మలను చూపిస్తాము, మిగిలినవాటి లింకులను మాత్రమే చూపిస్తాము ##తో మొదలయ్యే లైనులు వ్యాఖ్యానాలుగా భావించబడతాయి #ఇది కేస్-సెన్సిటివ్ #అన్ని తునకలను ఈ లైనుకు పైన ఉంచండి. ఈ లైనును ఎలా ఉన్నదో అలాగే వదిలెయ్యండి</pre>', # Special:Tags 'tags' => 'సరైన మార్పు ట్యాగులు', 'tag-filter' => '[[Special:Tags|ట్యాగుల]] వడపోత:', 'tag-filter-submit' => 'వడపోయి', 'tags-title' => 'టాగులు', 'tags-intro' => 'ఈ పేజీ మృదూపకరణం మార్పులకు ఇచ్చే ట్యాగులను, మరియు వాటి అర్ధాలను చూపిస్తుంది.', 'tags-tag' => 'ట్యాగు పేరు', 'tags-display-header' => 'మార్పుల జాబితాలో కనపించు రీతి', 'tags-description-header' => 'అర్థం యొక్క పూర్తి వివరణ', 'tags-hitcount-header' => 'ట్యాగులున్న మార్పులు', 'tags-edit' => 'మార్చు', 'tags-hitcount' => '$1 {{PLURAL:$1|మార్పు|మార్పులు}}', # Special:ComparePages 'comparepages' => 'పుటల పోలిక', 'compare-selector' => 'పుట కూర్పుల పోలిక', 'compare-page1' => 'పుట 1', 'compare-page2' => 'పుట 2', 'compare-rev1' => 'కూర్పు 1', 'compare-rev2' => 'కూర్పు 2', 'compare-submit' => 'పోల్చిచూడు', 'compare-invalid-title' => 'మీరు ఇచ్చిన శీర్షిక చెల్లనిది.', 'compare-title-not-exists' => 'మీరు పేర్కొన్న శీర్షిక లేనే లేదు.', 'compare-revision-not-exists' => 'మీరు పేర్కొన్న కూర్పు లేనే లేదు.', # Database error messages 'dberr-header' => 'ఈ వికీ సమస్యాత్మకంగా ఉంది', 'dberr-problems' => 'క్షమించండి! ఈ సైటు సాంకేతిక సమస్యలని ఎదుర్కొంటుంది.', 'dberr-again' => 'కొన్ని నిమిషాలాగి మళ్ళీ ప్రయత్నించండి.', 'dberr-info' => '(డాటాబేసు సర్వరుని సంధానించలేకున్నాం: $1)', 'dberr-usegoogle' => 'ఈలోపు మీరు గూగుల్ ద్వారా వెతకడానికి ప్రయత్నించండి.', 'dberr-outofdate' => 'మా విషయం యొక్క వారి సూచీలు అంత తాజావి కావపోవచ్చని గమనించండి.', 'dberr-cachederror' => 'అభ్యర్థించిన పేజీ యొక్క కోశం లోని కాపీ ఇది, అంత తాజాది కాకపోవచ్చు.', # HTML forms 'htmlform-invalid-input' => 'మీరు ఇచ్చినవాటితో కొన్ని సమస్యలున్నాయి', 'htmlform-select-badoption' => 'మీరిచ్చిన విలువ సరైన వికల్పం కాదు.', 'htmlform-int-invalid' => 'మీరు ఇచ్చిన విలువ పూర్ణసంఖ్య కాదు.', 'htmlform-float-invalid' => 'మీరిచ్చిన విలువ ఒక సంఖ్య కాదు.', 'htmlform-int-toolow' => 'మీరిచ్చిన విలువ $1 యొక్క కనిష్ఠ విలువ కంటే తక్కువగా ఉంది.', 'htmlform-int-toohigh' => 'మీరిచ్చిన విలువ $1 యొక్క గరిష్ఠ విలువకంటే ఎక్కవగా ఉంది.', 'htmlform-required' => 'ఈ విలువ తప్పనిసరి', 'htmlform-submit' => 'దాఖలుచెయ్యి', 'htmlform-reset' => 'మార్పులను రద్దుచెయ్యి', 'htmlform-selectorother-other' => 'ఇతర', 'htmlform-no' => 'కాదు', 'htmlform-yes' => 'అవును', # SQLite database support 'sqlite-has-fts' => '$1 పూర్తి-పాఠ్య అన్వేషణ తోడ్పాటుతో', 'sqlite-no-fts' => '$1 పూర్తి-పాఠ్య అన్వేషణ తోడ్పాటు లేకుండా', # New logging system 'logentry-delete-delete' => '$1 $3 పేజీని {{GENDER:$2|తొలగించారు}}', 'revdelete-content-hid' => 'కంటెంట్ దాచబడింది', 'revdelete-summary-hid' => 'మార్పుల సారాంశాన్ని దాచారు', 'revdelete-uname-hid' => 'వాడుకరి పేరుని దాచారు', 'revdelete-restricted' => 'నిర్వాహకులకు ఆంక్షలు విధించాను', 'revdelete-unrestricted' => 'నిర్వాహకులకున్న ఆంక్షలను ఎత్తేశాను', 'logentry-move-move' => '$1 $3 పేజీని $4కి తరలించారు', 'logentry-move-move-noredirect' => '$1 $3 పేజీని $4కి దారిమార్పు లేకుండా తరలించారు', 'logentry-move-move_redir' => '$1 $3 పేజీని $4కి దారిమార్పు ద్వారా తరలించారు', 'logentry-move-move_redir-noredirect' => '$1 $3 పేజీని $4కి దారిమార్పు లేకుండా తరలించారు', 'logentry-newusers-newusers' => '$1 వాడుకరి ఖాతాను సృష్టించారు', 'logentry-newusers-create' => '$1 ఒక వాడుకరి ఖాతాను సృష్టించారు', 'logentry-newusers-create2' => '$1 వాడుకరి ఖాతా $3ను సృష్టించారు', 'logentry-newusers-autocreate' => '$1 ఖాతాను ఆటోమెటిగ్గా సృష్టించారు', 'rightsnone' => '(ఏమీలేవు)', # Feedback 'feedback-subject' => 'విషయం:', 'feedback-message' => 'సందేశం:', 'feedback-cancel' => 'రద్దుచేయి', 'feedback-submit' => 'ప్రతిస్పందనను దాఖలుచేయి', 'feedback-error2' => 'దోషము: సవరణ విఫలమైంది', 'feedback-thanks' => 'కృతజ్ఞతలు! మీ ప్రతిస్పందనను “[$2 $1]” పేజీలో చేర్చాం.', 'feedback-close' => 'పూర్తయ్యింది', 'feedback-bugcheck' => 'అద్భుతం! ఇది ఇప్పటికే [$1 తెలిసిన బగ్గుల]లో లేదని సరిచూసుకోండి.', 'feedback-bugnew' => 'చూసాను. కొత్త బగ్గును నివేదించు', # Search suggestions 'searchsuggest-search' => 'వెతుకు', # API errors 'api-error-badaccess-groups' => 'ఈ వికీ లోనికి దస్త్రాలను ఎక్కించే అనుమతి మీకు లేదు.', 'api-error-duplicate-archive-popup-title' => 'నకిలీ {{PLURAL:$1|దస్త్రాన్ని|దస్త్రాలను}} ఇప్పటికే తొలగించారు.', 'api-error-duplicate-popup-title' => 'నకిలీ {{PLURAL:$1|దస్త్రం|దస్త్రాలు}}.', 'api-error-empty-file' => 'మీరు దాఖలుచేసిన ఫైల్ ఖాళీది.', 'api-error-emptypage' => 'కొత్త మరియు ఖాళీ పేజీలను సృష్టించడానికి అనుమతి లేదు.', 'api-error-file-too-large' => 'మీరు సమర్పించిన దస్త్రం చాలా పెద్దగా ఉంది.', 'api-error-filename-tooshort' => 'దస్త్రపు పేరు మరీ చిన్నగా ఉంది.', 'api-error-filetype-banned' => 'ఈ రకపు దస్త్రాలని నిషేధించారు.', 'api-error-filetype-banned-type' => '$1 {{PLURAL:$4|అనేది అనుమతించబడిన ఫైలు రకం కాదు|అనేవి అనుమతించబడిన ఫైలు రకాలు కాదు}}. అనుమతించబడిన {{PLURAL:$3|ఫైలు రకం|ఫైలు రకాలు}} $2.', 'api-error-http' => 'అంతర్గత దోషము: సేవకానికి అనుసంధానమవలేకపోతున్నది.', 'api-error-illegal-filename' => 'ఆ పైల్ పేరు అనుమతించబడదు.', 'api-error-invalid-file-key' => 'అంతర్గత దోషము: తాత్కాలిక నిల్వలో ఫైల్ కనపడలేదు.', 'api-error-mustbeloggedin' => 'దస్త్రాలను ఎక్కించడానికి మీరు ప్రవేశించివుండాలి.', 'api-error-nomodule' => 'అంతర్గత దోషము: ఎక్కింపు పర్వికము అమర్చబడలేదు.', 'api-error-ok-but-empty' => 'అంతర్గత దోషము: సేవకము నుండి ఎటువంటి స్పందనా లేదు.', 'api-error-stashfailed' => 'అంతర్గత పొరపాటు: తాత్కాలిక దస్త్రాన్ని భద్రపరచడంలో సేవకి విఫలమైంది.', 'api-error-unclassified' => 'ఒక తెలియని దోషము సంభవించినది', 'api-error-unknown-code' => 'తెలియని పొరపాటు: "$1".', 'api-error-unknown-error' => 'అంతర్గత పొరపాటు: మీ దస్త్రాన్ని ఎక్కించేప్పుడు ఏదో పొరపాటు జరిగింది.', 'api-error-unknown-warning' => 'తెలియని హెచ్చరిక: $1', 'api-error-unknownerror' => 'తెలియని పొరపాటు: "$1".', 'api-error-uploaddisabled' => 'ఈ వికీలో ఎక్కింపులని అచేతనం చేసారు.', 'api-error-verification-error' => 'ఈ ఫైల్ పాడైవుండవచ్చు, లేదా తప్పుడు పొడిగింతను కలిగివుండవచ్చు.', # Durations 'duration-seconds' => '$1 {{PLURAL:$1|క్షణం|క్షణాలు}}', 'duration-minutes' => '$1 {{PLURAL:$1|నిమిషం|నిమిషాలు}}', 'duration-hours' => '$1 {{PLURAL:$1|గంట|గంటలు}}', 'duration-days' => '$1 {{PLURAL:$1|రోజు|రోజులు}}', 'duration-weeks' => '$1 {{PLURAL: $1|వారం|వారాలు}}', 'duration-years' => '$1 {{PLURAL:$1|సంవత్సరం|సంవత్సరాలు}}', 'duration-decades' => '$1 {{PLURAL:$1|దశాబ్దం|దశాబ్దాలు}}', 'duration-centuries' => '$1 {{PLURAL:$1|శతాబ్దం|శతాబ్దాలు}}', 'duration-millennia' => '$1 {{PLURAL:$1|సహస్రాబ్దం|సహస్రాబ్దాలు}}', );
bsd-2-clause
zlamalp/perun
perun-web-gui/src/main/java/cz/metacentrum/perun/webgui/json/authzResolver/RemoveAdmin.java
13511
package cz.metacentrum.perun.webgui.json.authzResolver; import com.google.gwt.core.client.JavaScriptObject; import com.google.gwt.json.client.JSONNumber; import com.google.gwt.json.client.JSONObject; import cz.metacentrum.perun.webgui.client.PerunWebSession; import cz.metacentrum.perun.webgui.client.UiElements; import cz.metacentrum.perun.webgui.client.resources.PerunEntity; import cz.metacentrum.perun.webgui.json.JsonCallbackEvents; import cz.metacentrum.perun.webgui.json.JsonPostClient; import cz.metacentrum.perun.webgui.model.*; /** * Ajax query which removes admin from VO / Group * * @author Pavel Zlamal <[email protected]> */ public class RemoveAdmin { // web session private PerunWebSession session = PerunWebSession.getInstance(); // URL to call final String VO_JSON_URL = "vosManager/removeAdmin"; final String GROUP_JSON_URL = "groupsManager/removeAdmin"; final String FACILITY_JSON_URL = "facilitiesManager/removeAdmin"; final String SECURITY_JSON_URL = "securityTeamsManager/removeAdmin"; // external events private JsonCallbackEvents events = new JsonCallbackEvents(); // ids private int userId = 0; private int entityId = 0; private PerunEntity entity; /** * Creates a new request * * @param entity VO/GROUP/FACILITY */ public RemoveAdmin(PerunEntity entity) { this.entity = entity; } /** * Creates a new request with custom events passed from tab or page * * @param entity VO/GROUP/FACILITY * @param events custom events */ public RemoveAdmin(PerunEntity entity, final JsonCallbackEvents events) { this.entity = entity; this.events = events; } /** * Attempts to remove admin from Group, it first tests the values and then submits them. * * @param group where we want to remove admin * @param user User to be removed from admin */ public void removeGroupAdmin(final Group group, final User user) { this.userId = (user != null) ? user.getId() : 0; this.entityId = (group != null) ? group.getId() : 0; this.entity = PerunEntity.GROUP; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing "+user.getFullName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("User " + user.getFullName()+ " removed from managers of "+group.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(GROUP_JSON_URL, prepareJSONObject()); } /** * Attempts to remove admin from VO, it first tests the values and then submits them. * * @param vo where we want to remove admin from * @param user User to be removed from admins */ public void removeVoAdmin(final VirtualOrganization vo, final User user) { this.userId = (user != null) ? user.getId() : 0; this.entityId = (vo != null) ? vo.getId() : 0; this.entity = PerunEntity.VIRTUAL_ORGANIZATION; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing "+user.getFullName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("User " + user.getFullName()+ " removed from managers of "+vo.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(VO_JSON_URL, prepareJSONObject()); } /** * Attempts to remove admin from Facility, it first tests the values and then submits them. * * @param facility where we want to remove admin from * @param user User to be removed from admins */ public void removeFacilityAdmin(final Facility facility, final User user) { this.userId = (user != null) ? user.getId() : 0; this.entityId = (facility != null) ? facility.getId() : 0; this.entity = PerunEntity.FACILITY; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing "+user.getFullName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("User " + user.getFullName()+ " removed form managers of "+facility.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(FACILITY_JSON_URL, prepareJSONObject()); } /** * Attempts to remove admin from SecurityTeam, it first tests the values and then submits them. * * @param securityTeam where we want to remove admin from * @param user User to be removed from admins */ public void removeSecurityTeamAdmin(final SecurityTeam securityTeam, final User user) { this.userId = (user != null) ? user.getId() : 0; this.entityId = (securityTeam != null) ? securityTeam.getId() : 0; this.entity = PerunEntity.SECURITY_TEAM; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing "+user.getFullName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("User " + user.getFullName()+ " removed form managers of "+securityTeam.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(SECURITY_JSON_URL, prepareJSONObject()); } /** * Attempts to remove admin group from Group, it first tests the values and then submits them. * * @param groupToAddAdminTo where we want to remove admin group from * @param group Group to be removed from admins */ public void removeGroupAdminGroup(final Group groupToAddAdminTo,final Group group) { // store group id to user id to used unified check method this.userId = (group != null) ? group.getId() : 0; this.entityId = (groupToAddAdminTo != null) ? groupToAddAdminTo.getId() : 0; this.entity = PerunEntity.GROUP; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing group "+group.getShortName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("Group " + group.getShortName()+ " removed from managers of "+groupToAddAdminTo.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(GROUP_JSON_URL, prepareJSONObjectForGroup()); } /** * Attempts to remove admin group from VO, it first tests the values and then submits them. * * @param vo where we want to remove admin from * @param group Group to be removed from admins */ public void removeVoAdminGroup(final VirtualOrganization vo,final Group group) { // store group id to user id to used unified check method this.userId = (group != null) ? group.getId() : 0; this.entityId = (vo != null) ? vo.getId() : 0; this.entity = PerunEntity.VIRTUAL_ORGANIZATION; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing group "+group.getShortName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("Group " + group.getShortName()+ " removed from managers of "+vo.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(VO_JSON_URL, prepareJSONObjectForGroup()); } /** * Attempts to remove admin group from Facility, it first tests the values and then submits them. * * @param facility where we want to remove admin from * @param group Group to be removed from admins */ public void removeFacilityAdminGroup(final Facility facility,final Group group) { // store group id to user id to used unified check method this.userId = (group != null) ? group.getId() : 0; this.entityId = (facility != null) ? facility.getId() : 0; this.entity = PerunEntity.FACILITY; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing group "+group.getShortName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("Group " + group.getShortName()+ " removed from managers of "+facility.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(FACILITY_JSON_URL, prepareJSONObjectForGroup()); } /** * Attempts to remove admin group from SecurityTeam, it first tests the values and then submits them. * * @param securityTeam where we want to remove admin from * @param group Group to be removed from admins */ public void removeSecurityTeamAdminGroup(final SecurityTeam securityTeam, final Group group) { // store group id to user id to used unified check method this.userId = (group != null) ? group.getId() : 0; this.entityId = (securityTeam != null) ? securityTeam.getId() : 0; this.entity = PerunEntity.SECURITY_TEAM; // test arguments if(!this.testRemoving()){ return; } // new events JsonCallbackEvents newEvents = new JsonCallbackEvents(){ public void onError(PerunError error) { session.getUiElements().setLogErrorText("Removing group "+group.getShortName()+" from managers failed."); events.onError(error); // custom events }; public void onFinished(JavaScriptObject jso) { session.getUiElements().setLogSuccessText("Group " + group.getShortName()+ " removed from managers of "+securityTeam.getName()); events.onFinished(jso); }; public void onLoadingStart() { events.onLoadingStart(); }; }; // sending data JsonPostClient jspc = new JsonPostClient(newEvents); jspc.sendData(SECURITY_JSON_URL, prepareJSONObjectForGroup()); } /** * Tests the values, if the process can continue * * @return true/false for continue/stop */ private boolean testRemoving() { boolean result = true; String errorMsg = ""; if(entityId == 0){ errorMsg += "Wrong parameter <strong>Entity ID</strong>.<br/>"; result = false; } if(userId == 0){ errorMsg += "Wrong parameter <strong>User ID</strong>."; result = false; } if(errorMsg.length()>0){ UiElements.generateAlert("Parameter error", errorMsg); } return result; } /** * Prepares a JSON object * * @return JSONObject the whole query */ private JSONObject prepareJSONObject() { // whole JSON query JSONObject jsonQuery = new JSONObject(); if (entity.equals(PerunEntity.VIRTUAL_ORGANIZATION)) { jsonQuery.put("vo", new JSONNumber(entityId)); } else if (entity.equals(PerunEntity.GROUP)) { jsonQuery.put("group", new JSONNumber(entityId)); } else if (entity.equals(PerunEntity.FACILITY)) { jsonQuery.put("facility", new JSONNumber(entityId)); } else if (entity.equals(PerunEntity.SECURITY_TEAM)) { jsonQuery.put("securityTeam", new JSONNumber(entityId)); } jsonQuery.put("user", new JSONNumber(userId)); return jsonQuery; } /** * Prepares a JSON object * * @return JSONObject the whole query */ private JSONObject prepareJSONObjectForGroup() { // whole JSON query JSONObject jsonQuery = new JSONObject(); if (entity.equals(PerunEntity.VIRTUAL_ORGANIZATION)) { jsonQuery.put("vo", new JSONNumber(entityId)); } else if (entity.equals(PerunEntity.GROUP)) { jsonQuery.put("group", new JSONNumber(entityId)); } else if (entity.equals(PerunEntity.FACILITY)) { jsonQuery.put("facility", new JSONNumber(entityId)); } else if (entity.equals(PerunEntity.SECURITY_TEAM)) { jsonQuery.put("securityTeam", new JSONNumber(entityId)); } jsonQuery.put("authorizedGroup", new JSONNumber(userId)); return jsonQuery; } }
bsd-2-clause
trigger-corp/trigger.io-segmentio
inspector/ios-inspector/ForgeModule/Analytics.framework/Headers/KSCrashSentry_NSException.h
1813
// // KSCrashSentry_NSException.h // // Created by Karl Stenerud on 2012-01-28. // // Copyright (c) 2012 Karl Stenerud. All rights reserved. // // Permission is hereby granted, free of charge, to any person obtaining a copy // of this software and associated documentation files (the "Software"), to deal // in the Software without restriction, including without limitation the rights // to use, copy, modify, merge, publish, distribute, sublicense, and/or sell // copies of the Software, and to permit persons to whom the Software is // furnished to do so, subject to the following conditions: // // The above copyright notice and this permission notice shall remain in place // in this source code. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, // FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE // AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER // LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, // OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN // THE SOFTWARE. // /* Catches Objective-C exceptions. */ #ifndef HDR_KSCrashSentry_NSException_h #define HDR_KSCrashSentry_NSException_h #ifdef __cplusplus extern "C" { #endif #include "KSCrashSentry.h" /** Install our custom NSException handler. * * @param context The crash context to fill out when a crash occurs. * * @return true if installation was succesful. */ bool kscrashsentry_installNSExceptionHandler(KSCrash_SentryContext* context); /** Uninstall our custome NSException handler. */ void kscrashsentry_uninstallNSExceptionHandler(void); #ifdef __cplusplus } #endif #endif // HDR_KSCrashSentry_NSException_h
bsd-2-clause
endlessm/chromium-browser
third_party/llvm/openmp/runtime/src/kmp_debug.cpp
3628
/* * kmp_debug.cpp -- debug utilities for the Guide library */ //===----------------------------------------------------------------------===// // // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. // See https://llvm.org/LICENSE.txt for license information. // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception // //===----------------------------------------------------------------------===// #include "kmp.h" #include "kmp_debug.h" /* really necessary? */ #include "kmp_i18n.h" #include "kmp_io.h" #ifdef KMP_DEBUG void __kmp_debug_printf_stdout(char const *format, ...) { va_list ap; va_start(ap, format); __kmp_vprintf(kmp_out, format, ap); va_end(ap); } #endif void __kmp_debug_printf(char const *format, ...) { va_list ap; va_start(ap, format); __kmp_vprintf(kmp_err, format, ap); va_end(ap); } #ifdef KMP_USE_ASSERT int __kmp_debug_assert(char const *msg, char const *file, int line) { if (file == NULL) { file = KMP_I18N_STR(UnknownFile); } else { // Remove directories from path, leave only file name. File name is enough, // there is no need in bothering developers and customers with full paths. char const *slash = strrchr(file, '/'); if (slash != NULL) { file = slash + 1; } } #ifdef KMP_DEBUG __kmp_acquire_bootstrap_lock(&__kmp_stdio_lock); __kmp_debug_printf("Assertion failure at %s(%d): %s.\n", file, line, msg); __kmp_release_bootstrap_lock(&__kmp_stdio_lock); #ifdef USE_ASSERT_BREAK #if KMP_OS_WINDOWS DebugBreak(); #endif #endif // USE_ASSERT_BREAK #ifdef USE_ASSERT_STALL /* __kmp_infinite_loop(); */ for (;;) ; #endif // USE_ASSERT_STALL #ifdef USE_ASSERT_SEG { int volatile *ZERO = (int *)0; ++(*ZERO); } #endif // USE_ASSERT_SEG #endif __kmp_fatal(KMP_MSG(AssertionFailure, file, line), KMP_HNT(SubmitBugReport), __kmp_msg_null); return 0; } // __kmp_debug_assert #endif // KMP_USE_ASSERT /* Dump debugging buffer to stderr */ void __kmp_dump_debug_buffer(void) { if (__kmp_debug_buffer != NULL) { int i; int dc = __kmp_debug_count; char *db = &__kmp_debug_buffer[(dc % __kmp_debug_buf_lines) * __kmp_debug_buf_chars]; char *db_end = &__kmp_debug_buffer[__kmp_debug_buf_lines * __kmp_debug_buf_chars]; char *db2; __kmp_acquire_bootstrap_lock(&__kmp_stdio_lock); __kmp_printf_no_lock("\nStart dump of debugging buffer (entry=%d):\n", dc % __kmp_debug_buf_lines); for (i = 0; i < __kmp_debug_buf_lines; i++) { if (*db != '\0') { /* Fix up where no carriage return before string termination char */ for (db2 = db + 1; db2 < db + __kmp_debug_buf_chars - 1; db2++) { if (*db2 == '\0') { if (*(db2 - 1) != '\n') { *db2 = '\n'; *(db2 + 1) = '\0'; } break; } } /* Handle case at end by shortening the printed message by one char if * necessary */ if (db2 == db + __kmp_debug_buf_chars - 1 && *db2 == '\0' && *(db2 - 1) != '\n') { *(db2 - 1) = '\n'; } __kmp_printf_no_lock("%4d: %.*s", i, __kmp_debug_buf_chars, db); *db = '\0'; /* only let it print once! */ } db += __kmp_debug_buf_chars; if (db >= db_end) db = __kmp_debug_buffer; } __kmp_printf_no_lock("End dump of debugging buffer (entry=%d).\n\n", (dc + i - 1) % __kmp_debug_buf_lines); __kmp_release_bootstrap_lock(&__kmp_stdio_lock); } }
bsd-3-clause
michalliu/chromium-depot_tools
third_party/pylint/checkers/typecheck.py
16288
# Copyright (c) 2006-2010 LOGILAB S.A. (Paris, FRANCE). # http://www.logilab.fr/ -- mailto:[email protected] # # This program is free software; you can redistribute it and/or modify it under # the terms of the GNU General Public License as published by the Free Software # Foundation; either version 2 of the License, or (at your option) any later # version. # # This program is distributed in the hope that it will be useful, but WITHOUT # ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS # FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. # # You should have received a copy of the GNU General Public License along with # this program; if not, write to the Free Software Foundation, Inc., # 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. """try to find more bugs in the code using astng inference capabilities """ import re import shlex from logilab import astng from logilab.astng import InferenceError, NotFoundError, YES, Instance from pylint.interfaces import IASTNGChecker from pylint.checkers import BaseChecker from pylint.checkers.utils import safe_infer, is_super, check_messages MSGS = { 'E1101': ('%s %r has no %r member', 'Used when a variable is accessed for an unexistent member.'), 'E1102': ('%s is not callable', 'Used when an object being called has been inferred to a non \ callable object'), 'E1103': ('%s %r has no %r member (but some types could not be inferred)', 'Used when a variable is accessed for an unexistent member, but \ astng was not able to interpret all possible types of this \ variable.'), 'E1111': ('Assigning to function call which doesn\'t return', 'Used when an assignment is done on a function call but the \ inferred function doesn\'t return anything.'), 'W1111': ('Assigning to function call which only returns None', 'Used when an assignment is done on a function call but the \ inferred function returns nothing but None.'), 'E1120': ('No value passed for parameter %s in function call', 'Used when a function call passes too few arguments.'), 'E1121': ('Too many positional arguments for function call', 'Used when a function call passes too many positional \ arguments.'), 'E1122': ('Duplicate keyword argument %r in function call', 'Used when a function call passes the same keyword argument \ multiple times.'), 'E1123': ('Passing unexpected keyword argument %r in function call', 'Used when a function call passes a keyword argument that \ doesn\'t correspond to one of the function\'s parameter names.'), 'E1124': ('Multiple values passed for parameter %r in function call', 'Used when a function call would result in assigning multiple \ values to a function parameter, one value from a positional \ argument and one from a keyword argument.'), } class TypeChecker(BaseChecker): """try to find bugs in the code using type inference """ __implements__ = (IASTNGChecker,) # configuration section name name = 'typecheck' # messages msgs = MSGS priority = -1 # configuration options options = (('ignore-mixin-members', {'default' : True, 'type' : 'yn', 'metavar': '<y_or_n>', 'help' : 'Tells whether missing members accessed in mixin \ class should be ignored. A mixin class is detected if its name ends with \ "mixin" (case insensitive).'} ), ('ignored-classes', {'default' : ('SQLObject',), 'type' : 'csv', 'metavar' : '<members names>', 'help' : 'List of classes names for which member attributes \ should not be checked (useful for classes with attributes dynamically set).'} ), ('zope', {'default' : False, 'type' : 'yn', 'metavar': '<y_or_n>', 'help' : 'When zope mode is activated, add a predefined set \ of Zope acquired attributes to generated-members.'} ), ('generated-members', {'default' : ( 'REQUEST', 'acl_users', 'aq_parent'), 'type' : 'string', 'metavar' : '<members names>', 'help' : 'List of members which are set dynamically and \ missed by pylint inference system, and so shouldn\'t trigger E0201 when \ accessed. Python regular expressions are accepted.'} ), ) def open(self): # do this in open since config not fully initialized in __init__ self.generated_members = list(self.config.generated_members) if self.config.zope: self.generated_members.extend(('REQUEST', 'acl_users', 'aq_parent')) def visit_assattr(self, node): if isinstance(node.ass_type(), astng.AugAssign): self.visit_getattr(node) def visit_delattr(self, node): self.visit_getattr(node) @check_messages('E1101', 'E1103') def visit_getattr(self, node): """check that the accessed attribute exists to avoid to much false positives for now, we'll consider the code as correct if a single of the inferred nodes has the accessed attribute. function/method, super call and metaclasses are ignored """ # generated_members may containt regular expressions # (surrounded by quote `"` and followed by a comma `,`) # REQUEST,aq_parent,"[a-zA-Z]+_set{1,2}"' => # ('REQUEST', 'aq_parent', '[a-zA-Z]+_set{1,2}') if isinstance(self.config.generated_members, str): gen = shlex.shlex(self.config.generated_members) gen.whitespace += ',' self.config.generated_members = tuple(tok.strip('"') for tok in gen) for pattern in self.config.generated_members: # attribute is marked as generated, stop here if re.match(pattern, node.attrname): return try: infered = list(node.expr.infer()) except InferenceError: return # list of (node, nodename) which are missing the attribute missingattr = set() ignoremim = self.config.ignore_mixin_members inference_failure = False for owner in infered: # skip yes object if owner is YES: inference_failure = True continue # skip None anyway if isinstance(owner, astng.Const) and owner.value is None: continue # XXX "super" / metaclass call if is_super(owner) or getattr(owner, 'type', None) == 'metaclass': continue name = getattr(owner, 'name', 'None') if name in self.config.ignored_classes: continue if ignoremim and name[-5:].lower() == 'mixin': continue try: if not [n for n in owner.getattr(node.attrname) if not isinstance(n.statement(), astng.AugAssign)]: missingattr.add((owner, name)) continue except AttributeError: # XXX method / function continue except NotFoundError: if isinstance(owner, astng.Function) and owner.decorators: continue if isinstance(owner, Instance) and owner.has_dynamic_getattr(): continue # explicit skipping of optparse'Values class if owner.name == 'Values' and owner.root().name == 'optparse': continue missingattr.add((owner, name)) continue # stop on the first found break else: # we have not found any node with the attributes, display the # message for infered nodes done = set() for owner, name in missingattr: if isinstance(owner, Instance): actual = owner._proxied else: actual = owner if actual in done: continue done.add(actual) if inference_failure: msgid = 'E1103' else: msgid = 'E1101' self.add_message(msgid, node=node, args=(owner.display_type(), name, node.attrname)) def visit_assign(self, node): """check that if assigning to a function call, the function is possibly returning something valuable """ if not isinstance(node.value, astng.CallFunc): return function_node = safe_infer(node.value.func) # skip class, generator and incomplete function definition if not (isinstance(function_node, astng.Function) and function_node.root().fully_defined()): return if function_node.is_generator() \ or function_node.is_abstract(pass_is_abstract=False): return returns = list(function_node.nodes_of_class(astng.Return, skip_klass=astng.Function)) if len(returns) == 0: self.add_message('E1111', node=node) else: for rnode in returns: if not (isinstance(rnode.value, astng.Const) and rnode.value.value is None): break else: self.add_message('W1111', node=node) def visit_callfunc(self, node): """check that called functions/methods are inferred to callable objects, and that the arguments passed to the function match the parameters in the inferred function's definition """ # Build the set of keyword arguments, checking for duplicate keywords, # and count the positional arguments. keyword_args = set() num_positional_args = 0 for arg in node.args: if isinstance(arg, astng.Keyword): keyword = arg.arg if keyword in keyword_args: self.add_message('E1122', node=node, args=keyword) keyword_args.add(keyword) else: num_positional_args += 1 called = safe_infer(node.func) # only function, generator and object defining __call__ are allowed if called is not None and not called.callable(): self.add_message('E1102', node=node, args=node.func.as_string()) # Note that BoundMethod is a subclass of UnboundMethod (huh?), so must # come first in this 'if..else'. if isinstance(called, astng.BoundMethod): # Bound methods have an extra implicit 'self' argument. num_positional_args += 1 elif isinstance(called, astng.UnboundMethod): if called.decorators is not None: for d in called.decorators.nodes: if isinstance(d, astng.Name) and (d.name == 'classmethod'): # Class methods have an extra implicit 'cls' argument. num_positional_args += 1 break elif (isinstance(called, astng.Function) or isinstance(called, astng.Lambda)): pass else: return if called.args.args is None: # Built-in functions have no argument information. return if len( called.argnames() ) != len( set( called.argnames() ) ): # Duplicate parameter name (see E9801). We can't really make sense # of the function call in this case, so just return. return # Analyze the list of formal parameters. num_mandatory_parameters = len(called.args.args) - len(called.args.defaults) parameters = [] parameter_name_to_index = {} for i, arg in enumerate(called.args.args): if isinstance(arg, astng.Tuple): name = None # Don't store any parameter names within the tuple, since those # are not assignable from keyword arguments. else: if isinstance(arg, astng.Keyword): name = arg.arg else: assert isinstance(arg, astng.AssName) # This occurs with: # def f( (a), (b) ): pass name = arg.name parameter_name_to_index[name] = i if i >= num_mandatory_parameters: defval = called.args.defaults[i - num_mandatory_parameters] else: defval = None parameters.append([(name, defval), False]) # Match the supplied arguments against the function parameters. # 1. Match the positional arguments. for i in range(num_positional_args): if i < len(parameters): parameters[i][1] = True elif called.args.vararg is not None: # The remaining positional arguments get assigned to the *args # parameter. break else: # Too many positional arguments. self.add_message('E1121', node=node) break # 2. Match the keyword arguments. for keyword in keyword_args: if keyword in parameter_name_to_index: i = parameter_name_to_index[keyword] if parameters[i][1]: # Duplicate definition of function parameter. self.add_message('E1124', node=node, args=keyword) else: parameters[i][1] = True elif called.args.kwarg is not None: # The keyword argument gets assigned to the **kwargs parameter. pass else: # Unexpected keyword argument. self.add_message('E1123', node=node, args=keyword) # 3. Match the *args, if any. Note that Python actually processes # *args _before_ any keyword arguments, but we wait until after # looking at the keyword arguments so as to make a more conservative # guess at how many values are in the *args sequence. if node.starargs is not None: for i in range(num_positional_args, len(parameters)): [(name, defval), assigned] = parameters[i] # Assume that *args provides just enough values for all # non-default parameters after the last parameter assigned by # the positional arguments but before the first parameter # assigned by the keyword arguments. This is the best we can # get without generating any false positives. if (defval is not None) or assigned: break parameters[i][1] = True # 4. Match the **kwargs, if any. if node.kwargs is not None: for i, [(name, defval), assigned] in enumerate(parameters): # Assume that *kwargs provides values for all remaining # unassigned named parameters. if name is not None: parameters[i][1] = True else: # **kwargs can't assign to tuples. pass # Check that any parameters without a default have been assigned # values. for [(name, defval), assigned] in parameters: if (defval is None) and not assigned: if name is None: display = '<tuple>' else: display_name = repr(name) self.add_message('E1120', node=node, args=display_name) def register(linter): """required method to auto register this checker """ linter.register_checker(TypeChecker(linter))
bsd-3-clause
ToonTalk/mopix2
MoPiX/extras/Model/soycReport/compile-report/initial_boolean-9Lits.html
1140
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01//EN" "http://www.w3.org/TR/html4/strict.dtd"> <html> <head> <script type="text/javascript"> function show(elementName) { hp = document.getElementById(elementName); hp.style.visibility = "Visible"; } function hide(elementName) { hp = document.getElementById(elementName); hp.style.visibility = "Hidden"; } </script> <title> Literals of type boolean </title> <style type="text/css" media="screen"> @import url('goog.css'); @import url('inlay.css'); @import url('soyc.css'); </style> </head> <body> <div class="g-doc"> <div id="hd" class="g-section g-tpl-50-50 g-split"> <div class="g-unit g-first"> <p> <a href="index.html" id="gwt-logo" class="soyc-ir"> <span>Google Web Toolkit</span> </a> </p> </div> <div class="g-unit"> </div> </div> <div id="soyc-appbar-lrg"> <div class="g-section g-tpl-75-25 g-split"> <div class="g-unit g-first"> <h1>Literals of type boolean</h1> </div> <div class="g-unit"></div> </div> </div> <div id="bd"> <h2>(Analyzing code subset: Initially downloaded code)</h2> <table width="80%" style="font-size: 11pt;" bgcolor="white"> </table> <center> </div> </body> </html>
bsd-3-clause
DweebsUnited/CodeMonkey
resources/glfw3.3/docs/html/search/variables_3.html
1262
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "https://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html><head><title></title> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta name="generator" content="Doxygen 1.8.15"/> <link rel="stylesheet" type="text/css" href="search.css"/> <script type="text/javascript" src="variables_3.js"></script> <script type="text/javascript" src="search.js"></script> </head> <body class="SRPage"> <div id="SRIndex"> <div class="SRStatus" id="Loading">Loading...</div> <div id="SRResults"></div> <script type="text/javascript"><!-- /* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&amp;dn=gpl-2.0.txt GPL-v2 */ createResults(); /* @license-end */ --></script> <div class="SRStatus" id="Searching">Searching...</div> <div class="SRStatus" id="NoMatches">No Matches</div> <script type="text/javascript"><!-- /* @license magnet:?xt=urn:btih:cf05388f2679ee054f2beb29a391d25f4e673ac3&amp;dn=gpl-2.0.txt GPL-v2 */ document.getElementById("Loading").style.display="none"; document.getElementById("NoMatches").style.display="none"; var searchResults = new SearchResults("searchResults"); searchResults.Search(); /* @license-end */ --></script> </div> </body> </html>
bsd-3-clause
7kbird/chrome
components/policy/core/common/cloud/device_management_service.cc
17300
// Copyright (c) 2012 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "components/policy/core/common/cloud/device_management_service.h" #include <utility> #include "base/bind.h" #include "base/compiler_specific.h" #include "base/message_loop/message_loop.h" #include "base/message_loop/message_loop_proxy.h" #include "net/base/escape.h" #include "net/base/load_flags.h" #include "net/base/net_errors.h" #include "net/http/http_response_headers.h" #include "net/url_request/url_fetcher.h" #include "net/url_request/url_request_status.h" #include "url/gurl.h" namespace em = enterprise_management; namespace policy { namespace { const char kPostContentType[] = "application/protobuf"; const char kServiceTokenAuthHeader[] = "Authorization: GoogleLogin auth="; const char kDMTokenAuthHeader[] = "Authorization: GoogleDMToken token="; // Number of times to retry on ERR_NETWORK_CHANGED errors. const int kMaxNetworkChangedRetries = 3; // HTTP Error Codes of the DM Server with their concrete meanings in the context // of the DM Server communication. const int kSuccess = 200; const int kInvalidArgument = 400; const int kInvalidAuthCookieOrDMToken = 401; const int kMissingLicenses = 402; const int kDeviceManagementNotAllowed = 403; const int kInvalidURL = 404; // This error is not coming from the GFE. const int kInvalidSerialNumber = 405; const int kDomainMismatch = 406; const int kDeviceIdConflict = 409; const int kDeviceNotFound = 410; const int kPendingApproval = 412; const int kInternalServerError = 500; const int kServiceUnavailable = 503; const int kPolicyNotFound = 902; const int kDeprovisioned = 903; bool IsProxyError(const net::URLRequestStatus status) { switch (status.error()) { case net::ERR_PROXY_CONNECTION_FAILED: case net::ERR_TUNNEL_CONNECTION_FAILED: case net::ERR_PROXY_AUTH_UNSUPPORTED: case net::ERR_HTTPS_PROXY_TUNNEL_RESPONSE: case net::ERR_MANDATORY_PROXY_CONFIGURATION_FAILED: case net::ERR_PROXY_CERTIFICATE_INVALID: case net::ERR_SOCKS_CONNECTION_FAILED: case net::ERR_SOCKS_CONNECTION_HOST_UNREACHABLE: return true; } return false; } bool IsProtobufMimeType(const net::URLFetcher* fetcher) { return fetcher->GetResponseHeaders()->HasHeaderValue( "content-type", "application/x-protobuffer"); } bool FailedWithProxy(const net::URLFetcher* fetcher) { if ((fetcher->GetLoadFlags() & net::LOAD_BYPASS_PROXY) != 0) { // The request didn't use a proxy. return false; } if (!fetcher->GetStatus().is_success() && IsProxyError(fetcher->GetStatus())) { LOG(WARNING) << "Proxy failed while contacting dmserver."; return true; } if (fetcher->GetStatus().is_success() && fetcher->GetResponseCode() == kSuccess && fetcher->WasFetchedViaProxy() && !IsProtobufMimeType(fetcher)) { // The proxy server can be misconfigured but pointing to an existing // server that replies to requests. Try to recover if a successful // request that went through a proxy returns an unexpected mime type. LOG(WARNING) << "Got bad mime-type in response from dmserver that was " << "fetched via a proxy."; return true; } return false; } const char* UserAffiliationToString(UserAffiliation affiliation) { switch (affiliation) { case USER_AFFILIATION_MANAGED: return dm_protocol::kValueUserAffiliationManaged; case USER_AFFILIATION_NONE: return dm_protocol::kValueUserAffiliationNone; } NOTREACHED() << "Invalid user affiliation " << affiliation; return dm_protocol::kValueUserAffiliationNone; } const char* JobTypeToRequestType(DeviceManagementRequestJob::JobType type) { switch (type) { case DeviceManagementRequestJob::TYPE_AUTO_ENROLLMENT: return dm_protocol::kValueRequestAutoEnrollment; case DeviceManagementRequestJob::TYPE_REGISTRATION: return dm_protocol::kValueRequestRegister; case DeviceManagementRequestJob::TYPE_POLICY_FETCH: return dm_protocol::kValueRequestPolicy; case DeviceManagementRequestJob::TYPE_API_AUTH_CODE_FETCH: return dm_protocol::kValueRequestApiAuthorization; case DeviceManagementRequestJob::TYPE_UNREGISTRATION: return dm_protocol::kValueRequestUnregister; case DeviceManagementRequestJob::TYPE_UPLOAD_CERTIFICATE: return dm_protocol::kValueRequestUploadCertificate; case DeviceManagementRequestJob::TYPE_DEVICE_STATE_RETRIEVAL: return dm_protocol::kValueRequestDeviceStateRetrieval; } NOTREACHED() << "Invalid job type " << type; return ""; } } // namespace // Request job implementation used with DeviceManagementService. class DeviceManagementRequestJobImpl : public DeviceManagementRequestJob { public: DeviceManagementRequestJobImpl( JobType type, const std::string& agent_parameter, const std::string& platform_parameter, DeviceManagementService* service, net::URLRequestContextGetter* request_context); virtual ~DeviceManagementRequestJobImpl(); // Handles the URL request response. void HandleResponse(const net::URLRequestStatus& status, int response_code, const net::ResponseCookies& cookies, const std::string& data); // Gets the URL to contact. GURL GetURL(const std::string& server_url); // Configures the fetcher, setting up payload and headers. void ConfigureRequest(net::URLFetcher* fetcher); // Returns true if this job should be retried. |fetcher| has just completed, // and can be inspected to determine if the request failed and should be // retried. bool ShouldRetry(const net::URLFetcher* fetcher); // Invoked right before retrying this job. void PrepareRetry(); protected: // DeviceManagementRequestJob: virtual void Run() OVERRIDE; private: // Invokes the callback with the given error code. void ReportError(DeviceManagementStatus code); // Pointer to the service this job is associated with. DeviceManagementService* service_; // Whether the BYPASS_PROXY flag should be set by ConfigureRequest(). bool bypass_proxy_; // Number of times that this job has been retried due to ERR_NETWORK_CHANGED. int retries_count_; // The request context to use for this job. net::URLRequestContextGetter* request_context_; DISALLOW_COPY_AND_ASSIGN(DeviceManagementRequestJobImpl); }; DeviceManagementRequestJobImpl::DeviceManagementRequestJobImpl( JobType type, const std::string& agent_parameter, const std::string& platform_parameter, DeviceManagementService* service, net::URLRequestContextGetter* request_context) : DeviceManagementRequestJob(type, agent_parameter, platform_parameter), service_(service), bypass_proxy_(false), retries_count_(0), request_context_(request_context) {} DeviceManagementRequestJobImpl::~DeviceManagementRequestJobImpl() { service_->RemoveJob(this); } void DeviceManagementRequestJobImpl::Run() { service_->AddJob(this); } void DeviceManagementRequestJobImpl::HandleResponse( const net::URLRequestStatus& status, int response_code, const net::ResponseCookies& cookies, const std::string& data) { if (status.status() != net::URLRequestStatus::SUCCESS) { LOG(WARNING) << "DMServer request failed, status: " << status.status() << ", error: " << status.error(); em::DeviceManagementResponse dummy_response; callback_.Run(DM_STATUS_REQUEST_FAILED, status.error(), dummy_response); return; } if (response_code != kSuccess) LOG(WARNING) << "DMServer sent an error response: " << response_code; switch (response_code) { case kSuccess: { em::DeviceManagementResponse response; if (!response.ParseFromString(data)) { ReportError(DM_STATUS_RESPONSE_DECODING_ERROR); return; } callback_.Run(DM_STATUS_SUCCESS, net::OK, response); return; } case kInvalidArgument: ReportError(DM_STATUS_REQUEST_INVALID); return; case kInvalidAuthCookieOrDMToken: ReportError(DM_STATUS_SERVICE_MANAGEMENT_TOKEN_INVALID); return; case kMissingLicenses: ReportError(DM_STATUS_SERVICE_MISSING_LICENSES); return; case kDeviceManagementNotAllowed: ReportError(DM_STATUS_SERVICE_MANAGEMENT_NOT_SUPPORTED); return; case kPendingApproval: ReportError(DM_STATUS_SERVICE_ACTIVATION_PENDING); return; case kInvalidURL: case kInternalServerError: case kServiceUnavailable: ReportError(DM_STATUS_TEMPORARY_UNAVAILABLE); return; case kDeviceNotFound: ReportError(DM_STATUS_SERVICE_DEVICE_NOT_FOUND); return; case kPolicyNotFound: ReportError(DM_STATUS_SERVICE_POLICY_NOT_FOUND); return; case kInvalidSerialNumber: ReportError(DM_STATUS_SERVICE_INVALID_SERIAL_NUMBER); return; case kDomainMismatch: ReportError(DM_STATUS_SERVICE_DOMAIN_MISMATCH); return; case kDeprovisioned: ReportError(DM_STATUS_SERVICE_DEPROVISIONED); return; case kDeviceIdConflict: ReportError(DM_STATUS_SERVICE_DEVICE_ID_CONFLICT); return; default: // Handle all unknown 5xx HTTP error codes as temporary and any other // unknown error as one that needs more time to recover. if (response_code >= 500 && response_code <= 599) ReportError(DM_STATUS_TEMPORARY_UNAVAILABLE); else ReportError(DM_STATUS_HTTP_STATUS_ERROR); return; } } GURL DeviceManagementRequestJobImpl::GetURL( const std::string& server_url) { std::string result(server_url); result += '?'; for (ParameterMap::const_iterator entry(query_params_.begin()); entry != query_params_.end(); ++entry) { if (entry != query_params_.begin()) result += '&'; result += net::EscapeQueryParamValue(entry->first, true); result += '='; result += net::EscapeQueryParamValue(entry->second, true); } return GURL(result); } void DeviceManagementRequestJobImpl::ConfigureRequest( net::URLFetcher* fetcher) { fetcher->SetRequestContext(request_context_); fetcher->SetLoadFlags(net::LOAD_DO_NOT_SEND_COOKIES | net::LOAD_DO_NOT_SAVE_COOKIES | net::LOAD_DISABLE_CACHE | (bypass_proxy_ ? net::LOAD_BYPASS_PROXY : 0)); std::string payload; CHECK(request_.SerializeToString(&payload)); fetcher->SetUploadData(kPostContentType, payload); std::string extra_headers; if (!gaia_token_.empty()) extra_headers += kServiceTokenAuthHeader + gaia_token_ + "\n"; if (!dm_token_.empty()) extra_headers += kDMTokenAuthHeader + dm_token_ + "\n"; fetcher->SetExtraRequestHeaders(extra_headers); } bool DeviceManagementRequestJobImpl::ShouldRetry( const net::URLFetcher* fetcher) { if (FailedWithProxy(fetcher) && !bypass_proxy_) { // Retry the job if it failed due to a broken proxy, by bypassing the // proxy on the next try. bypass_proxy_ = true; return true; } // Early device policy fetches on ChromeOS and Auto-Enrollment checks are // often interrupted during ChromeOS startup when network change notifications // are sent. Allowing the fetcher to retry once after that is enough to // recover; allow it to retry up to 3 times just in case. if (fetcher->GetStatus().error() == net::ERR_NETWORK_CHANGED && retries_count_ < kMaxNetworkChangedRetries) { ++retries_count_; return true; } // The request didn't fail, or the limit of retry attempts has been reached; // forward the result to the job owner. return false; } void DeviceManagementRequestJobImpl::PrepareRetry() { if (!retry_callback_.is_null()) retry_callback_.Run(this); } void DeviceManagementRequestJobImpl::ReportError(DeviceManagementStatus code) { em::DeviceManagementResponse dummy_response; callback_.Run(code, net::OK, dummy_response); } DeviceManagementRequestJob::~DeviceManagementRequestJob() {} void DeviceManagementRequestJob::SetGaiaToken(const std::string& gaia_token) { gaia_token_ = gaia_token; } void DeviceManagementRequestJob::SetOAuthToken(const std::string& oauth_token) { AddParameter(dm_protocol::kParamOAuthToken, oauth_token); } void DeviceManagementRequestJob::SetUserAffiliation( UserAffiliation user_affiliation) { AddParameter(dm_protocol::kParamUserAffiliation, UserAffiliationToString(user_affiliation)); } void DeviceManagementRequestJob::SetDMToken(const std::string& dm_token) { dm_token_ = dm_token; } void DeviceManagementRequestJob::SetClientID(const std::string& client_id) { AddParameter(dm_protocol::kParamDeviceID, client_id); } em::DeviceManagementRequest* DeviceManagementRequestJob::GetRequest() { return &request_; } DeviceManagementRequestJob::DeviceManagementRequestJob( JobType type, const std::string& agent_parameter, const std::string& platform_parameter) { AddParameter(dm_protocol::kParamRequest, JobTypeToRequestType(type)); AddParameter(dm_protocol::kParamDeviceType, dm_protocol::kValueDeviceType); AddParameter(dm_protocol::kParamAppType, dm_protocol::kValueAppType); AddParameter(dm_protocol::kParamAgent, agent_parameter); AddParameter(dm_protocol::kParamPlatform, platform_parameter); } void DeviceManagementRequestJob::SetRetryCallback( const RetryCallback& retry_callback) { retry_callback_ = retry_callback; } void DeviceManagementRequestJob::Start(const Callback& callback) { callback_ = callback; Run(); } void DeviceManagementRequestJob::AddParameter(const std::string& name, const std::string& value) { query_params_.push_back(std::make_pair(name, value)); } // A random value that other fetchers won't likely use. const int DeviceManagementService::kURLFetcherID = 0xde71ce1d; DeviceManagementService::~DeviceManagementService() { // All running jobs should have been cancelled by now. DCHECK(pending_jobs_.empty()); DCHECK(queued_jobs_.empty()); } DeviceManagementRequestJob* DeviceManagementService::CreateJob( DeviceManagementRequestJob::JobType type, net::URLRequestContextGetter* request_context) { return new DeviceManagementRequestJobImpl( type, configuration_->GetAgentParameter(), configuration_->GetPlatformParameter(), this, request_context); } void DeviceManagementService::ScheduleInitialization(int64 delay_milliseconds) { if (initialized_) return; base::MessageLoop::current()->PostDelayedTask( FROM_HERE, base::Bind(&DeviceManagementService::Initialize, weak_ptr_factory_.GetWeakPtr()), base::TimeDelta::FromMilliseconds(delay_milliseconds)); } void DeviceManagementService::Initialize() { if (initialized_) return; initialized_ = true; while (!queued_jobs_.empty()) { StartJob(queued_jobs_.front()); queued_jobs_.pop_front(); } } void DeviceManagementService::Shutdown() { for (JobFetcherMap::iterator job(pending_jobs_.begin()); job != pending_jobs_.end(); ++job) { delete job->first; queued_jobs_.push_back(job->second); } pending_jobs_.clear(); } DeviceManagementService::DeviceManagementService( scoped_ptr<Configuration> configuration) : configuration_(configuration.Pass()), initialized_(false), weak_ptr_factory_(this) { DCHECK(configuration_); } void DeviceManagementService::StartJob(DeviceManagementRequestJobImpl* job) { std::string server_url = GetServerUrl(); net::URLFetcher* fetcher = net::URLFetcher::Create( kURLFetcherID, job->GetURL(server_url), net::URLFetcher::POST, this); job->ConfigureRequest(fetcher); pending_jobs_[fetcher] = job; fetcher->Start(); } std::string DeviceManagementService::GetServerUrl() { return configuration_->GetServerUrl(); } void DeviceManagementService::OnURLFetchComplete( const net::URLFetcher* source) { JobFetcherMap::iterator entry(pending_jobs_.find(source)); if (entry == pending_jobs_.end()) { NOTREACHED() << "Callback from foreign URL fetcher"; return; } DeviceManagementRequestJobImpl* job = entry->second; pending_jobs_.erase(entry); if (job->ShouldRetry(source)) { VLOG(1) << "Retrying dmserver request."; job->PrepareRetry(); StartJob(job); } else { std::string data; source->GetResponseAsString(&data); job->HandleResponse(source->GetStatus(), source->GetResponseCode(), source->GetCookies(), data); } delete source; } void DeviceManagementService::AddJob(DeviceManagementRequestJobImpl* job) { if (initialized_) StartJob(job); else queued_jobs_.push_back(job); } void DeviceManagementService::RemoveJob(DeviceManagementRequestJobImpl* job) { for (JobFetcherMap::iterator entry(pending_jobs_.begin()); entry != pending_jobs_.end(); ++entry) { if (entry->second == job) { delete entry->first; pending_jobs_.erase(entry); return; } } const JobQueue::iterator elem = std::find(queued_jobs_.begin(), queued_jobs_.end(), job); if (elem != queued_jobs_.end()) queued_jobs_.erase(elem); } } // namespace policy
bsd-3-clause
endlessm/chromium-browser
third_party/llvm/clang/test/OpenMP/for_simd_linear_messages.cpp
8731
// RUN: %clang_cc1 -verify -fopenmp %s -Wuninitialized // RUN: %clang_cc1 -verify -fopenmp-simd %s -Wuninitialized extern int omp_default_mem_alloc; void xxx(int argc) { int i, lin, step; // expected-note {{initialize the variable 'lin' to silence this warning}} expected-note {{initialize the variable 'step' to silence this warning}} #pragma omp for simd linear(i, lin : step) // expected-warning {{variable 'lin' is uninitialized when used here}} expected-warning {{variable 'step' is uninitialized when used here}} for (i = 0; i < 10; ++i) ; } namespace X { int x; }; struct B { static int ib; // expected-note {{'B::ib' declared here}} static int bfoo() { return 8; } }; int bfoo() { return 4; } int z; const int C1 = 1; const int C2 = 2; void test_linear_colons() { int B = 0; #pragma omp for simd linear(B:bfoo()) for (int i = 0; i < 10; ++i) ; // expected-error@+1 {{unexpected ':' in nested name specifier; did you mean '::'}} #pragma omp for simd linear(B::ib:B:bfoo()) for (int i = 0; i < 10; ++i) ; // expected-error@+1 {{use of undeclared identifier 'ib'; did you mean 'B::ib'}} #pragma omp for simd linear(B:ib) for (int i = 0; i < 10; ++i) ; // expected-error@+1 {{unexpected ':' in nested name specifier; did you mean '::'?}} #pragma omp for simd linear(z:B:ib) for (int i = 0; i < 10; ++i) ; #pragma omp for simd linear(B:B::bfoo()) for (int i = 0; i < 10; ++i) ; #pragma omp for simd linear(X::x : ::z) for (int i = 0; i < 10; ++i) ; #pragma omp for simd linear(B,::z, X::x) for (int i = 0; i < 10; ++i) ; #pragma omp for simd linear(::z) for (int i = 0; i < 10; ++i) ; // expected-error@+1 {{expected variable name}} #pragma omp for simd linear(B::bfoo()) for (int i = 0; i < 10; ++i) ; #pragma omp for simd linear(B::ib,B:C1+C2) for (int i = 0; i < 10; ++i) ; } template<int L, class T, class N> T test_template(T* arr, N num) { N i; T sum = (T)0; T ind2 = - num * L; // expected-note {{'ind2' defined here}} // expected-error@+1 {{argument of a linear clause should be of integral or pointer type}} #pragma omp for simd linear(ind2:L) for (i = 0; i < num; ++i) { T cur = arr[(int)ind2]; ind2 += L; sum += cur; } return T(); } template<int LEN> int test_warn() { int ind2 = 0; // expected-warning@+1 {{zero linear step (ind2 should probably be const)}} #pragma omp for simd linear(ind2:LEN) for (int i = 0; i < 100; i++) { ind2 += LEN; } return ind2; } struct S1; // expected-note 2 {{declared here}} expected-note 2 {{forward declaration of 'S1'}} extern S1 a; class S2 { mutable int a; public: S2():a(0) { } }; const S2 b; // expected-note 2 {{'b' defined here}} const S2 ba[5]; class S3 { int a; public: S3():a(0) { } }; const S3 ca[5]; class S4 { int a; S4(); public: S4(int v):a(v) { } }; class S5 { int a; S5():a(0) {} public: S5(int v):a(v) { } }; S3 h; #pragma omp threadprivate(h) // expected-note 2 {{defined as threadprivate or thread local}} template<class I, class C> int foomain(I argc, C **argv) { I e(4); I g(5); int i; int &j = i; #pragma omp for simd linear // expected-error {{expected '(' after 'linear'}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear ( // expected-error {{expected expression}} expected-error {{expected ')'}} expected-note {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear () // expected-error {{expected expression}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc // expected-error {{expected ')'}} expected-note {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc, // expected-error {{expected expression}} expected-error {{expected ')'}} expected-note {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc > 0 ? argv[1] : argv[2]) // expected-error {{expected variable name}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc : 5) allocate , allocate(, allocate(omp_default , allocate(omp_default_mem_alloc, allocate(omp_default_mem_alloc:, allocate(omp_default_mem_alloc: argc, allocate(omp_default_mem_alloc: argv), allocate(argv) // expected-error {{expected '(' after 'allocate'}} expected-error 2 {{expected expression}} expected-error 2 {{expected ')'}} expected-error {{use of undeclared identifier 'omp_default'}} expected-note 2 {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (S1) // expected-error {{'S1' does not refer to a value}} for (int k = 0; k < argc; ++k) ++k; // expected-error@+2 {{linear variable with incomplete type 'S1'}} // expected-error@+1 {{argument of a linear clause should be of integral or pointer type, not 'S2'}} #pragma omp for simd linear (a, b:B::ib) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argv[1]) // expected-error {{expected variable name}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear(e, g) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear(h) // expected-error {{threadprivate or thread local variable cannot be linear}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear(i) for (int k = 0; k < argc; ++k) ++k; #pragma omp parallel { int v = 0; long z; int i; #pragma omp for simd linear(z, v:i) for (int k = 0; k < argc; ++k) { i = k; v += i; } } #pragma omp for simd linear(j) for (int k = 0; k < argc; ++k) ++k; int v = 0; #pragma omp for simd linear(v:j) for (int k = 0; k < argc; ++k) { ++k; v += j; } #pragma omp for simd linear(i) for (int k = 0; k < argc; ++k) ++k; return 0; } namespace A { double x; #pragma omp threadprivate(x) // expected-note {{defined as threadprivate or thread local}} } namespace C { using A::x; } int main(int argc, char **argv) { double darr[100]; // expected-note@+1 {{in instantiation of function template specialization 'test_template<-4, double, int>' requested here}} test_template<-4>(darr, 4); // expected-note@+1 {{in instantiation of function template specialization 'test_warn<0>' requested here}} test_warn<0>(); S4 e(4); // expected-note {{'e' defined here}} S5 g(5); // expected-note {{'g' defined here}} int i; int &j = i; #pragma omp for simd linear // expected-error {{expected '(' after 'linear'}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear ( // expected-error {{expected expression}} expected-error {{expected ')'}} expected-note {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear () // expected-error {{expected expression}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc // expected-error {{expected ')'}} expected-note {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc, // expected-error {{expected expression}} expected-error {{expected ')'}} expected-note {{to match this '('}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc > 0 ? argv[1] : argv[2]) // expected-error {{expected variable name}} for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argc) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (S1) // expected-error {{'S1' does not refer to a value}} for (int k = 0; k < argc; ++k) ++k; // expected-error@+2 {{linear variable with incomplete type 'S1'}} // expected-error@+1 {{argument of a linear clause should be of integral or pointer type, not 'S2'}} #pragma omp for simd linear(a, b) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear (argv[1]) // expected-error {{expected variable name}} for (int k = 0; k < argc; ++k) ++k; // expected-error@+2 {{argument of a linear clause should be of integral or pointer type, not 'S4'}} // expected-error@+1 {{argument of a linear clause should be of integral or pointer type, not 'S5'}} #pragma omp for simd linear(e, g) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear(h, C::x) // expected-error 2 {{threadprivate or thread local variable cannot be linear}} for (int k = 0; k < argc; ++k) ++k; #pragma omp parallel { int i; #pragma omp for simd linear(i : i) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear(i : 4) for (int k = 0; k < argc; ++k) { ++k; i += 4; } } #pragma omp for simd linear(j) for (int k = 0; k < argc; ++k) ++k; #pragma omp for simd linear(i) for (int k = 0; k < argc; ++k) ++k; foomain<int,char>(argc,argv); // expected-note {{in instantiation of function template specialization 'foomain<int, char>' requested here}} return 0; }
bsd-3-clause
ChangsoonKim/STM32F7DiscTutor
toolchain/osx/gcc-arm-none-eabi-6-2017-q1-update/lib/gcc/arm-none-eabi/6.3.1/plugin/include/attribs.h
1737
/* Declarations and definitions dealing with attribute handling. Copyright (C) 2013-2016 Free Software Foundation, Inc. This file is part of GCC. GCC is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 3, or (at your option) any later version. GCC is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with GCC; see the file COPYING3. If not see <http://www.gnu.org/licenses/>. */ #ifndef GCC_ATTRIBS_H #define GCC_ATTRIBS_H extern const struct attribute_spec *lookup_attribute_spec (const_tree); extern void init_attributes (void); /* Process the attributes listed in ATTRIBUTES and install them in *NODE, which is either a DECL (including a TYPE_DECL) or a TYPE. If a DECL, it should be modified in place; if a TYPE, a copy should be created unless ATTR_FLAG_TYPE_IN_PLACE is set in FLAGS. FLAGS gives further information, in the form of a bitwise OR of flags in enum attribute_flags from tree.h. Depending on these flags, some attributes may be returned to be applied at a later stage (for example, to apply a decl attribute to the declaration rather than to its type). */ extern tree decl_attributes (tree *, tree, int); extern bool cxx11_attribute_p (const_tree); extern tree get_attribute_name (const_tree); extern void apply_tm_attr (tree, tree); extern tree make_attribute (const char *, const char *, tree); #endif // GCC_ATTRIBS_H
mit
cdnjs/cdnjs
ajax/libs/amcharts4/4.10.9/.internal/core/data/DataSource.js
20447
import { __extends } from "tslib"; /** * ============================================================================ * IMPORTS * ============================================================================ * @hidden */ import { dataLoader } from "./DataLoader"; import { JSONParser } from "./JSONParser"; import { CSVParser } from "./CSVParser"; import { BaseObjectEvents } from "../Base"; import { Adapter } from "../utils/Adapter"; import { Language } from "../utils/Language"; import { DateFormatter } from "../formatters/DateFormatter"; import { registry } from "../Registry"; import * as $type from "../utils/Type"; import * as $object from "../utils/Object"; ; ; /** * ============================================================================ * MAIN CLASS * ============================================================================ * @hidden */ /** * Represents a single data source - external file with all of its settings, * such as format, data parsing, etc. * * ```TypeScript * chart.dataSource.url = "http://www.myweb.com/data.json"; * chart.dataSource.parser = am4core.JSONParser; * ``` * ```JavaScript * chart.dataSource.url = "http://www.myweb.com/data.json"; * chart.dataSource.parser = am4core.JSONParser; * ``` * ```JSON * { * // ... * "dataSource": { * "url": "http://www.myweb.com/data.json", * "parser": "JSONParser" * }, * // ... * } * ``` * * @see {@link IDataSourceEvents} for a list of available events * @see {@link IDataSourceAdapters} for a list of available Adapters */ var DataSource = /** @class */ (function (_super) { __extends(DataSource, _super); /** * Constructor */ function DataSource(url, parser) { var _this = // Init _super.call(this) || this; /** * Adapter. */ _this.adapter = new Adapter(_this); /** * Custom options for HTTP(S) request. */ _this._requestOptions = {}; /** * If set to `true`, any subsequent data loads will be considered incremental * (containing only new data points that are supposed to be added to existing * data). * * NOTE: this setting works only with element's `data` property. It won't * work with any other externally-loadable data property. * * @default false */ _this._incremental = false; /** * A collection of key/value pairs to attach to a data source URL when making * an incremental request. */ _this._incrementalParams = {}; /** * This setting is used only when `incremental = true`. If set to `true`, * it will try to retain the same number of data items across each load. * * E.g. if incremental load yeilded 5 new records, then 5 items from the * beginning of data will be removed so that we end up with the same number * of data items. * * @default false */ _this._keepCount = false; /** * If set to `true`, each subsequent load will be treated as an update to * currently loaded data, meaning that it will try to update values on * existing data items, not overwrite the whole data. * * This will work faster than complete update, and also will animate the * values to their new positions. * * Data sources across loads must contain the same number of data items. * * Loader will not truncate the data set if loaded data has fewer data items, * and if it is longer, the excess data items will be ignored. * * @default false * @since 4.5.5 */ _this._updateCurrentData = false; /** * Will show loading indicator when loading files. */ _this.showPreloader = true; _this.className = "DataSource"; // Set defaults if (url) { _this.url = url; } // Set parser if (parser) { if (typeof parser == "string") { _this.parser = dataLoader.getParserByType(parser); } else { _this.parser = parser; } } return _this; } /** * Processes the loaded data. * * @ignore Exclude from docs * @param data Raw (unparsed) data * @param contentType Content type of the loaded data (optional) */ DataSource.prototype.processData = function (data, contentType) { // Parsing started this.dispatchImmediately("parsestarted"); // Check if parser is set if (!this.parser) { // Try to resolve from data this.parser = dataLoader.getParserByData(data, contentType); if (!this.parser) { // We have a problem - nobody knows what to do with the data // Raise error if (this.events.isEnabled("parseerror")) { var event_1 = { type: "parseerror", message: this.language.translate("No parser available for file: %1", null, this.url), target: this }; this.events.dispatchImmediately("parseerror", event_1); } this.dispatchImmediately("parseended"); return; } } // Apply options adapters this.parser.options = this.adapter.apply("parserOptions", this.parser.options); this.parser.options.dateFields = this.adapter.apply("dateFields", this.parser.options.dateFields || []); this.parser.options.numberFields = this.adapter.apply("numberFields", this.parser.options.numberFields || []); // Check if we need to pass in date formatter if (this.parser.options.dateFields && !this.parser.options.dateFormatter) { this.parser.options.dateFormatter = this.dateFormatter; } // Parse this.data = this.adapter.apply("parsedData", this.parser.parse(this.adapter.apply("unparsedData", data))); // Check for parsing errors if (!$type.hasValue(this.data) && this.events.isEnabled("parseerror")) { var event_2 = { type: "parseerror", message: this.language.translate("Error parsing file: %1", null, this.url), target: this }; this.events.dispatchImmediately("parseerror", event_2); } // Wrap up this.dispatchImmediately("parseended"); if ($type.hasValue(this.data)) { this.dispatchImmediately("done", { "data": this.data }); } // The component is responsible for updating its own data vtriggered via // events. // Update last data load this.lastLoad = new Date(); }; Object.defineProperty(DataSource.prototype, "url", { /** * @return URL */ get: function () { // Get URL var url = this.disableCache ? this.timestampUrl(this._url) : this._url; // Add incremental params if (this.incremental && this.component.data.length) { url = this.addUrlParams(url, this.incrementalParams); } return this.adapter.apply("url", url); }, /** * URL of the data source. * * @param value URL */ set: function (value) { this._url = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "requestOptions", { /** * @return Options */ get: function () { return this.adapter.apply("requestOptions", this._requestOptions); }, /** * Custom options for HTTP(S) request. * * At this moment the only option supported is: `requestHeaders`, which holds * an array of objects for custom request headers, e.g.: * * ```TypeScript * chart.dataSource.requestOptions.requestHeaders = [{ * "key": "x-access-token", * "value": "123456789" * }]; * ``````JavaScript * chart.dataSource.requestOptions.requestHeaders = [{ * "key": "x-access-token", * "value": "123456789" * }]; * ``` * ```JSON * { * // ... * "dataSource": { * // ... * "requestOptions": { * "requestHeaders": [{ * "key": "x-access-token", * "value": "123456789" * }] * } * } * } * ``` * * NOTE: setting this options on an-already loaded DataSource will not * trigger a reload. * * @param value Options */ set: function (value) { this._requestOptions = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "parser", { /** * @return Data parser */ get: function () { if (!this._parser) { this._parser = new JSONParser(); } return this.adapter.apply("parser", this._parser); }, /** * A parser to be used to parse data. * * ```TypeScript * chart.dataSource.url = "http://www.myweb.com/data.json"; * chart.dataSource.parser = am4core.JSONParser; * ``` * ```JavaScript * chart.dataSource.url = "http://www.myweb.com/data.json"; * chart.dataSource.parser = am4core.JSONParser; * ``` * ```JSON * { * // ... * "dataSource": { * "url": "http://www.myweb.com/data.json", * "parser": { * "type": "JSONParser" * } * }, * // ... * } * ``` * * @default JSONParser * @param value Data parser */ set: function (value) { this._parser = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "reloadFrequency", { /** * @return Reload frequency (ms) */ get: function () { return this.adapter.apply("reloadTimeout", this._reloadFrequency); }, /** * Data source reload frequency. * * If set, it will reload the same URL every X milliseconds. * * @param value Reload frequency (ms) */ set: function (value) { var _this = this; if (this._reloadFrequency != value) { this._reloadFrequency = value; // Should we schedule a reload? if (value) { if (!$type.hasValue(this._reloadDisposer)) { this._reloadDisposer = this.events.on("ended", function (ev) { _this._reloadTimeout = setTimeout(function () { _this.load(); }, _this.reloadFrequency); }); } } else if ($type.hasValue(this._reloadDisposer)) { this._reloadDisposer.dispose(); this._reloadDisposer = undefined; } } }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "incremental", { /** * @return Incremental load? */ get: function () { return this.adapter.apply("incremental", this._incremental); }, /** * Should subsequent reloads be treated as incremental? * * Incremental loads will assume that they contain only new data items * since the last load. * * If `incremental = false` the loader will replace all of the target's * data with each load. * * This setting does not have any effect trhe first time data is loaded. * * NOTE: this setting works only with element's `data` property. It won't * work with any other externally-loadable data property. * * @default false * @param Incremental load? */ set: function (value) { this._incremental = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "incrementalParams", { /** * @return Incremental request parameters */ get: function () { return this.adapter.apply("incrementalParams", this._incrementalParams); }, /** * An object consisting of key/value pairs to apply to an URL when data * source is making an incremental request. * * @param value Incremental request parameters */ set: function (value) { this._incrementalParams = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "keepCount", { /** * @return keepCount load? */ get: function () { return this.adapter.apply("keepCount", this._keepCount); }, /** * This setting is used only when `incremental = true`. If set to `true`, * it will try to retain the same number of data items across each load. * * E.g. if incremental load yeilded 5 new records, then 5 items from the * beginning of data will be removed so that we end up with the same number * of data items. * * @default false * @param Keep record count? */ set: function (value) { this._keepCount = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "updateCurrentData", { /** * @return Update current data? */ get: function () { return this.adapter.apply("updateCurrentData", this._updateCurrentData); }, /** * If set to `true`, each subsequent load will be treated as an update to * currently loaded data, meaning that it will try to update values on * existing data items, not overwrite the whole data. * * This will work faster than complete update, and also will animate the * values to their new positions. * * Data sources across loads must contain the same number of data items. * * Loader will not truncate the data set if loaded data has fewer data items, * and if it is longer, the excess data items will be ignored. * * NOTE: this setting is ignored if `incremental = true`. * * @default false * @since 2.5.5 * @param Update current data? */ set: function (value) { this._updateCurrentData = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "language", { /** * @return A [[Language]] instance to be used */ get: function () { if (this._language) { return this._language; } else if (this.component) { this._language = this.component.language; return this._language; } this.language = new Language(); return this.language; }, /** * Language instance to use. * * Will inherit and use chart's language, if not set. * * @param value An instance of Language */ set: function (value) { this._language = value; }, enumerable: true, configurable: true }); Object.defineProperty(DataSource.prototype, "dateFormatter", { /** * @return A [[DateFormatter]] instance to be used */ get: function () { if (this._dateFormatter) { return this._dateFormatter; } else if (this.component) { this._dateFormatter = this.component.dateFormatter; return this._dateFormatter; } this.dateFormatter = new DateFormatter(); return this.dateFormatter; }, /** * A [[DateFormatter]] to use when parsing dates from string formats. * * Will inherit and use chart's DateFormatter if not ser. * * @param value An instance of [[DateFormatter]] */ set: function (value) { this._dateFormatter = value; }, enumerable: true, configurable: true }); /** * Adds current timestamp to the URL. * * @param url Source URL * @return Timestamped URL */ DataSource.prototype.timestampUrl = function (url) { var tstamp = new Date().getTime().toString(); var params = {}; params[tstamp] = ""; return this.addUrlParams(url, params); }; /** * Disposes of this object. */ DataSource.prototype.dispose = function () { _super.prototype.dispose.call(this); if (this._reloadTimeout) { clearTimeout(this._reloadTimeout); } if ($type.hasValue(this._reloadDisposer)) { this._reloadDisposer.dispose(); this._reloadDisposer = undefined; } }; /** * Initiate the load. * * All loading in JavaScript is asynchronous. This function will trigger the * load and will exit immediately. * * Use DataSource's events to watch for loaded data and errors. */ DataSource.prototype.load = function () { if (this.url) { if (this._reloadTimeout) { clearTimeout(this._reloadTimeout); } dataLoader.load(this); } }; /** * Adds parameters to `url` as query strings. Will take care of proper * separators. * * @param url Source URL * @param params Parameters * @return New URL */ DataSource.prototype.addUrlParams = function (url, params) { var join = url.match(/\?/) ? "&" : "?"; var add = []; $object.each(params, function (key, value) { if (value != "") { add.push(key + "=" + encodeURIComponent(value)); } else { add.push(key); } }); if (add.length) { return url + join + add.join("&"); } return url; }; /** * Processes JSON-based config before it is applied to the object. * * @ignore Exclude from docs * @param config Config */ DataSource.prototype.processConfig = function (config) { registry.registeredClasses["json"] = JSONParser; registry.registeredClasses["JSONParser"] = JSONParser; registry.registeredClasses["csv"] = CSVParser; registry.registeredClasses["CSVParser"] = CSVParser; _super.prototype.processConfig.call(this, config); }; return DataSource; }(BaseObjectEvents)); export { DataSource }; //# sourceMappingURL=DataSource.js.map
mit
smarr/OmniVM
vm/src/from_squeak/Cross/plugins/Mpeg3Plugin/libmpeg/mpeg3css.h
213
#ifndef MPEG3CSS_H #define MPEG3CSS_H #include "mpeg3private.inc" struct mpeg3_block { char huh; }; struct mpeg3_playkey { char huh; }; typedef struct { char huh; } mpeg3_css_t; #endif
epl-1.0
NhlalukoG/android_samsung_j7e3g
vendor/samsung/preloads/UniversalMDMClient/rhino1_7R4/testsrc/org/mozilla/javascript/drivers/JsTestsBase.java
2042
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ package org.mozilla.javascript.drivers; import java.io.File; import java.io.FileReader; import java.io.IOException; import junit.framework.TestCase; import org.mozilla.javascript.Context; import org.mozilla.javascript.ContextFactory; import org.mozilla.javascript.Scriptable; public class JsTestsBase extends TestCase { private int optimizationLevel; public void setOptimizationLevel(int level) { this.optimizationLevel = level; } public void runJsTest(Context cx, Scriptable shared, String name, String source) { // create a lightweight top-level scope Scriptable scope = cx.newObject(shared); scope.setPrototype(shared); System.out.print(name + ": "); Object result; try { result = cx.evaluateString(scope, source, "jstest input", 1, null); } catch (RuntimeException e) { System.out.println("FAILED"); throw e; } assertTrue(result != null); assertTrue("success".equals(result)); System.out.println("passed"); } public void runJsTests(File[] tests) throws IOException { ContextFactory factory = ContextFactory.getGlobal(); Context cx = factory.enterContext(); try { cx.setOptimizationLevel(this.optimizationLevel); Scriptable shared = cx.initStandardObjects(); for (File f : tests) { int length = (int) f.length(); // don't worry about very long // files char[] buf = new char[length]; new FileReader(f).read(buf, 0, length); String session = new String(buf); runJsTest(cx, shared, f.getName(), session); } } finally { Context.exit(); } } }
gpl-2.0
Fevax/exynos8890_stock
drivers/media/platform/exynos/fimc-is2/fimc-is-i2c.c
2870
/* * driver for FIMC-IS SPI * * Copyright (c) 2011, Samsung Electronics. All rights reserved * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License version 2 as * published by the Free Software Foundation. * * This program is distributed in the hope that it will be useful, but * WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY * or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License * for more details. */ #include <linux/module.h> #ifdef CONFIG_OF #include <linux/of.h> #endif #include "fimc-is-i2c.h" #include "fimc-is-core.h" #if defined(CONFIG_I2C) || defined(CONFIG_I2C_MODULE) int fimc_is_i2c_s_pin(struct i2c_client *client, int state) { int ret = 0; char pin_ctrl[10] = {0, }; struct device *i2c_dev = NULL; struct pinctrl *pinctrl_i2c = NULL; if (client == NULL) { err("client is NULL."); return ret; } switch (state) { case I2C_PIN_STATE_ON: sprintf(pin_ctrl, "on_i2c"); break; case I2C_PIN_STATE_OFF: sprintf(pin_ctrl, "off_i2c"); break; case I2C_PIN_STATE_HOST: sprintf(pin_ctrl, "i2c_host"); break; case I2C_PIN_STATE_FW: sprintf(pin_ctrl, "i2c_fw"); break; case I2C_PIN_STATE_DEFAULT: default: sprintf(pin_ctrl, "default"); break; } i2c_dev = client->dev.parent->parent; pinctrl_i2c = devm_pinctrl_get_select(i2c_dev, pin_ctrl); if (IS_ERR_OR_NULL(pinctrl_i2c)) { printk(KERN_ERR "%s: Failed to configure i2c pin\n", __func__); } else { devm_pinctrl_put(pinctrl_i2c); } return ret; } static int fimc_is_i2c0_probe(struct i2c_client *client, const struct i2c_device_id *id) { struct fimc_is_core *core; if (fimc_is_dev == NULL) { warn("fimc_is_dev is not yet probed(i2c0)"); return -EPROBE_DEFER; } core = (struct fimc_is_core *)dev_get_drvdata(fimc_is_dev); if (!core) panic("core is NULL"); core->client0 = client; pr_info("%s %s: fimc_is_i2c0 driver probed!\n", dev_driver_string(&client->dev), dev_name(&client->dev)); return 0; } static int fimc_is_i2c0_remove(struct i2c_client *client) { return 0; } #ifdef CONFIG_OF static struct of_device_id fimc_is_i2c0_dt_ids[] = { { .compatible = "samsung,fimc_is_i2c0",}, {}, }; MODULE_DEVICE_TABLE(of, fimc_is_i2c0_dt_ids); #endif static const struct i2c_device_id fimc_is_i2c0_id[] = { {"fimc_is_i2c0", 0}, {} }; MODULE_DEVICE_TABLE(i2c, fimc_is_i2c0_id); static struct i2c_driver fimc_is_i2c0_driver = { .driver = { .name = "fimc_is_i2c0", .owner = THIS_MODULE, #ifdef CONFIG_OF .of_match_table = fimc_is_i2c0_dt_ids, #endif }, .probe = fimc_is_i2c0_probe, .remove = fimc_is_i2c0_remove, .id_table = fimc_is_i2c0_id, }; module_i2c_driver(fimc_is_i2c0_driver); #endif /* CONFIG_I2C || CONFIG_I2C_MODULE */ MODULE_DESCRIPTION("FIMC-IS I2C driver"); MODULE_LICENSE("GPL");
gpl-2.0
heshamelmatary/rtems-rumpkernel
c/src/lib/libbsp/powerpc/shared/bootloader/zlib.h
17259
/* * This file is derived from zlib.h and zconf.h from the zlib-0.95 * distribution by Jean-loup Gailly and Mark Adler, with some additions * by Paul Mackerras to aid in implementing Deflate compression and * decompression for PPP packets. */ /* * ==FILEVERSION 960122== * * This marker is used by the Linux installation script to determine * whether an up-to-date version of this file is already installed. */ /* zlib.h -- interface of the 'zlib' general purpose compression library version 0.95, Aug 16th, 1995. Copyright (C) 1995 Jean-loup Gailly and Mark Adler This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: 1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment in the product documentation would be appreciated but is not required. 2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. 3. This notice may not be removed or altered from any source distribution. Jean-loup Gailly Mark Adler [email protected] [email protected] */ #ifndef _ZLIB_H #define _ZLIB_H #define local #ifdef DEBUG_ZLIB #include <bsp/consoleIo.h> #define fprintf printk #endif /* #include "zconf.h" */ /* included directly here */ /* zconf.h -- configuration of the zlib compression library * Copyright (C) 1995 Jean-loup Gailly. * For conditions of distribution and use, see copyright notice in zlib.h */ /* From: zconf.h,v 1.12 1995/05/03 17:27:12 jloup Exp */ /* The library does not install any signal handler. It is recommended to add at least a handler for SIGSEGV when decompressing; the library checks the consistency of the input data whenever possible but may go nuts for some forms of corrupted input. */ /* * Compile with -DMAXSEG_64K if the alloc function cannot allocate more * than 64k bytes at a time (needed on systems with 16-bit int). * Compile with -DUNALIGNED_OK if it is OK to access shorts or ints * at addresses which are not a multiple of their size. * Under DOS, -DFAR=far or -DFAR=__far may be needed. */ #ifndef STDC # if defined(MSDOS) || defined(__STDC__) || defined(__cplusplus) # define STDC # endif #endif #ifdef __MWERKS__ /* Metrowerks CodeWarrior declares fileno() in unix.h */ # include <unix.h> #endif /* Maximum value for memLevel in deflateInit2 */ #ifndef MAX_MEM_LEVEL # ifdef MAXSEG_64K # define MAX_MEM_LEVEL 8 # else # define MAX_MEM_LEVEL 9 # endif #endif #ifndef FAR # define FAR #endif /* Maximum value for windowBits in deflateInit2 and inflateInit2 */ #ifndef MAX_WBITS # define MAX_WBITS 15 /* 32K LZ77 window */ #endif /* The memory requirements for deflate are (in bytes): 1 << (windowBits+2) + 1 << (memLevel+9) that is: 128K for windowBits=15 + 128K for memLevel = 8 (default values) plus a few kilobytes for small objects. For example, if you want to reduce the default memory requirements from 256K to 128K, compile with make CFLAGS="-O -DMAX_WBITS=14 -DMAX_MEM_LEVEL=7" Of course this will generally degrade compression (there's no free lunch). The memory requirements for inflate are (in bytes) 1 << windowBits that is, 32K for windowBits=15 (default value) plus a few kilobytes for small objects. */ /* Type declarations */ #ifndef OF /* function prototypes */ # ifdef STDC # define OF(args) args # else # define OF(args) () # endif #endif typedef unsigned char Byte; /* 8 bits */ typedef unsigned int uInt; /* 16 bits or more */ typedef unsigned long uLong; /* 32 bits or more */ typedef Byte FAR Bytef; typedef char FAR charf; typedef int FAR intf; typedef uInt FAR uIntf; typedef uLong FAR uLongf; #ifdef STDC typedef void FAR *voidpf; typedef void *voidp; #else typedef Byte FAR *voidpf; typedef Byte *voidp; #endif /* end of original zconf.h */ #define ZLIB_VERSION "0.95P" /* The 'zlib' compression library provides in-memory compression and decompression functions, including integrity checks of the uncompressed data. This version of the library supports only one compression method (deflation) but other algorithms may be added later and will have the same stream interface. For compression the application must provide the output buffer and may optionally provide the input buffer for optimization. For decompression, the application must provide the input buffer and may optionally provide the output buffer for optimization. Compression can be done in a single step if the buffers are large enough (for example if an input file is mmap'ed), or can be done by repeated calls of the compression function. In the latter case, the application must provide more input and/or consume the output (providing more output space) before each call. */ typedef voidpf (*alloc_func) OF((voidpf opaque, uInt items, uInt size)); typedef void (*free_func) OF((voidpf opaque, voidpf address, uInt nbytes)); struct internal_state; typedef struct z_stream_s { Bytef *next_in; /* next input byte */ uInt avail_in; /* number of bytes available at next_in */ uLong total_in; /* total nb of input bytes read so far */ Bytef *next_out; /* next output byte should be put there */ uInt avail_out; /* remaining free space at next_out */ uLong total_out; /* total nb of bytes output so far */ char *msg; /* last error message, NULL if no error */ struct internal_state FAR *state; /* not visible by applications */ alloc_func zalloc; /* used to allocate the internal state */ free_func zfree; /* used to free the internal state */ voidp opaque; /* private data object passed to zalloc and zfree */ Byte data_type; /* best guess about the data type: ascii or binary */ } z_stream; /* The application must update next_in and avail_in when avail_in has dropped to zero. It must update next_out and avail_out when avail_out has dropped to zero. The application must initialize zalloc, zfree and opaque before calling the init function. All other fields are set by the compression library and must not be updated by the application. The opaque value provided by the application will be passed as the first parameter for calls of zalloc and zfree. This can be useful for custom memory management. The compression library attaches no meaning to the opaque value. zalloc must return Z_NULL if there is not enough memory for the object. On 16-bit systems, the functions zalloc and zfree must be able to allocate exactly 65536 bytes, but will not be required to allocate more than this if the symbol MAXSEG_64K is defined (see zconf.h). WARNING: On MSDOS, pointers returned by zalloc for objects of exactly 65536 bytes *must* have their offset normalized to zero. The default allocation function provided by this library ensures this (see zutil.c). To reduce memory requirements and avoid any allocation of 64K objects, at the expense of compression ratio, compile the library with -DMAX_WBITS=14 (see zconf.h). The fields total_in and total_out can be used for statistics or progress reports. After compression, total_in holds the total size of the uncompressed data and may be saved for use in the decompressor (particularly if the decompressor wants to decompress everything in a single step). */ /* constants */ #define Z_NO_FLUSH 0 #define Z_PARTIAL_FLUSH 1 #define Z_FULL_FLUSH 2 #define Z_SYNC_FLUSH 3 /* experimental: partial_flush + byte align */ #define Z_FINISH 4 #define Z_PACKET_FLUSH 5 /* See deflate() below for the usage of these constants */ #define Z_OK 0 #define Z_STREAM_END 1 #define Z_ERRNO (-1) #define Z_STREAM_ERROR (-2) #define Z_DATA_ERROR (-3) #define Z_MEM_ERROR (-4) #define Z_BUF_ERROR (-5) /* error codes for the compression/decompression functions */ #define Z_BEST_SPEED 1 #define Z_BEST_COMPRESSION 9 #define Z_DEFAULT_COMPRESSION (-1) /* compression levels */ #define Z_FILTERED 1 #define Z_HUFFMAN_ONLY 2 #define Z_DEFAULT_STRATEGY 0 #define Z_BINARY 0 #define Z_ASCII 1 #define Z_UNKNOWN 2 /* Used to set the data_type field */ #define Z_NULL 0 /* for initializing zalloc, zfree, opaque */ extern char *zlib_version; /* The application can compare zlib_version and ZLIB_VERSION for consistency. If the first character differs, the library code actually used is not compatible with the zlib.h header file used by the application. */ /* basic functions */ extern int inflateInit OF((z_stream *strm)); /* Initializes the internal stream state for decompression. The fields zalloc and zfree must be initialized before by the caller. If zalloc and zfree are set to Z_NULL, inflateInit updates them to use default allocation functions. inflateInit returns Z_OK if success, Z_MEM_ERROR if there was not enough memory. msg is set to null if there is no error message. inflateInit does not perform any decompression: this will be done by inflate(). */ extern int inflate OF((z_stream *strm, int flush)); /* Performs one or both of the following actions: - Decompress more input starting at next_in and update next_in and avail_in accordingly. If not all input can be processed (because there is not enough room in the output buffer), next_in is updated and processing will resume at this point for the next call of inflate(). - Provide more output starting at next_out and update next_out and avail_out accordingly. inflate() always provides as much output as possible (until there is no more input data or no more space in the output buffer). Before the call of inflate(), the application should ensure that at least one of the actions is possible, by providing more input and/or consuming more output, and updating the next_* and avail_* values accordingly. The application can consume the uncompressed output when it wants, for example when the output buffer is full (avail_out == 0), or after each call of inflate(). If the parameter flush is set to Z_PARTIAL_FLUSH or Z_PACKET_FLUSH, inflate flushes as much output as possible to the output buffer. The flushing behavior of inflate is not specified for values of the flush parameter other than Z_PARTIAL_FLUSH, Z_PACKET_FLUSH or Z_FINISH, but the current implementation actually flushes as much output as possible anyway. For Z_PACKET_FLUSH, inflate checks that once all the input data has been consumed, it is expecting to see the length field of a stored block; if not, it returns Z_DATA_ERROR. inflate() should normally be called until it returns Z_STREAM_END or an error. However if all decompression is to be performed in a single step (a single call of inflate), the parameter flush should be set to Z_FINISH. In this case all pending input is processed and all pending output is flushed; avail_out must be large enough to hold all the uncompressed data. (The size of the uncompressed data may have been saved by the compressor for this purpose.) The next operation on this stream must be inflateEnd to deallocate the decompression state. The use of Z_FINISH is never required, but can be used to inform inflate that a faster routine may be used for the single inflate() call. inflate() returns Z_OK if some progress has been made (more input processed or more output produced), Z_STREAM_END if the end of the compressed data has been reached and all uncompressed output has been produced, Z_DATA_ERROR if the input data was corrupted, Z_STREAM_ERROR if the stream structure was inconsistent (for example if next_in or next_out was NULL), Z_MEM_ERROR if there was not enough memory, Z_BUF_ERROR if no progress is possible or if there was not enough room in the output buffer when Z_FINISH is used. In the Z_DATA_ERROR case, the application may then call inflateSync to look for a good compression block. */ extern int inflateEnd OF((z_stream *strm)); /* All dynamically allocated data structures for this stream are freed. This function discards any unprocessed input and does not flush any pending output. inflateEnd returns Z_OK if success, Z_STREAM_ERROR if the stream state was inconsistent. In the error case, msg may be set but then points to a static string (which must not be deallocated). */ /* advanced functions */ extern int inflateInit2 OF((z_stream *strm, int windowBits)); /* This is another version of inflateInit with more compression options. The fields next_out, zalloc and zfree must be initialized before by the caller. The windowBits parameter is the base two logarithm of the maximum window size (the size of the history buffer). It should be in the range 8..15 for this version of the library (the value 16 will be allowed soon). The default value is 15 if inflateInit is used instead. If a compressed stream with a larger window size is given as input, inflate() will return with the error code Z_DATA_ERROR instead of trying to allocate a larger window. If next_out is not null, the library will use this buffer for the history buffer; the buffer must either be large enough to hold the entire output data, or have at least 1<<windowBits bytes. If next_out is null, the library will allocate its own buffer (and leave next_out null). next_in need not be provided here but must be provided by the application for the next call of inflate(). If the history buffer is provided by the application, next_out must never be changed by the application since the decompressor maintains history information inside this buffer from call to call; the application can only reset next_out to the beginning of the history buffer when avail_out is zero and all output has been consumed. inflateInit2 returns Z_OK if success, Z_MEM_ERROR if there was not enough memory, Z_STREAM_ERROR if a parameter is invalid (such as windowBits < 8). msg is set to null if there is no error message. inflateInit2 does not perform any decompression: this will be done by inflate(). */ extern int inflateSync OF((z_stream *strm)); /* Skips invalid compressed data until the special marker (see deflate() above) can be found, or until all available input is skipped. No output is provided. inflateSync returns Z_OK if the special marker has been found, Z_BUF_ERROR if no more input was provided, Z_DATA_ERROR if no marker has been found, or Z_STREAM_ERROR if the stream structure was inconsistent. In the success case, the application may save the current current value of total_in which indicates where valid compressed data was found. In the error case, the application may repeatedly call inflateSync, providing more input each time, until success or end of the input data. */ extern int inflateReset OF((z_stream *strm)); /* This function is equivalent to inflateEnd followed by inflateInit, but does not free and reallocate all the internal decompression state. The stream will keep attributes that may have been set by inflateInit2. inflateReset returns Z_OK if success, or Z_STREAM_ERROR if the source stream state was inconsistent (such as zalloc or state being NULL). */ extern int inflateIncomp OF((z_stream *strm)); /* This function adds the data at next_in (avail_in bytes) to the output history without performing any output. There must be no pending output, and the decompressor must be expecting to see the start of a block. Calling this function is equivalent to decompressing a stored block containing the data at next_in (except that the data is not output). */ /* checksum functions */ /* This function is not related to compression but is exported anyway because it might be useful in applications using the compression library. */ extern uLong adler32 OF((uLong adler, Bytef *buf, uInt len)); /* Update a running Adler-32 checksum with the bytes buf[0..len-1] and return the updated checksum. If buf is NULL, this function returns the required initial value for the checksum. An Adler-32 checksum is almost as reliable as a CRC32 but can be computed much faster. Usage example: uLong adler = adler32(0L, Z_NULL, 0); while (read_buffer(buffer, length) != EOF) { adler = adler32(adler, buffer, length); } if (adler != original_adler) error(); */ #ifndef _Z_UTIL_H struct internal_state {int dummy;}; /* hack for buggy compilers */ #endif #endif /* _ZLIB_H */
gpl-2.0
Gurgel100/gcc
gcc/testsuite/g++.dg/cpp0x/lambda/lambda-ice24.C
187
// PR c++/82293 // { dg-do compile { target c++11 } } // { dg-options "-Wshadow" } template <typename> struct S { int f{[this](){return 42;}()}; }; int main(){ return S<int>{}.f; }
gpl-2.0
codeaurora-unoffical/linux-msm
fs/f2fs/acl.c
9137
// SPDX-License-Identifier: GPL-2.0 /* * fs/f2fs/acl.c * * Copyright (c) 2012 Samsung Electronics Co., Ltd. * http://www.samsung.com/ * * Portions of this code from linux/fs/ext2/acl.c * * Copyright (C) 2001-2003 Andreas Gruenbacher, <[email protected]> */ #include <linux/f2fs_fs.h> #include "f2fs.h" #include "xattr.h" #include "acl.h" static inline size_t f2fs_acl_size(int count) { if (count <= 4) { return sizeof(struct f2fs_acl_header) + count * sizeof(struct f2fs_acl_entry_short); } else { return sizeof(struct f2fs_acl_header) + 4 * sizeof(struct f2fs_acl_entry_short) + (count - 4) * sizeof(struct f2fs_acl_entry); } } static inline int f2fs_acl_count(size_t size) { ssize_t s; size -= sizeof(struct f2fs_acl_header); s = size - 4 * sizeof(struct f2fs_acl_entry_short); if (s < 0) { if (size % sizeof(struct f2fs_acl_entry_short)) return -1; return size / sizeof(struct f2fs_acl_entry_short); } else { if (s % sizeof(struct f2fs_acl_entry)) return -1; return s / sizeof(struct f2fs_acl_entry) + 4; } } static struct posix_acl *f2fs_acl_from_disk(const char *value, size_t size) { int i, count; struct posix_acl *acl; struct f2fs_acl_header *hdr = (struct f2fs_acl_header *)value; struct f2fs_acl_entry *entry = (struct f2fs_acl_entry *)(hdr + 1); const char *end = value + size; if (size < sizeof(struct f2fs_acl_header)) return ERR_PTR(-EINVAL); if (hdr->a_version != cpu_to_le32(F2FS_ACL_VERSION)) return ERR_PTR(-EINVAL); count = f2fs_acl_count(size); if (count < 0) return ERR_PTR(-EINVAL); if (count == 0) return NULL; acl = posix_acl_alloc(count, GFP_NOFS); if (!acl) return ERR_PTR(-ENOMEM); for (i = 0; i < count; i++) { if ((char *)entry > end) goto fail; acl->a_entries[i].e_tag = le16_to_cpu(entry->e_tag); acl->a_entries[i].e_perm = le16_to_cpu(entry->e_perm); switch (acl->a_entries[i].e_tag) { case ACL_USER_OBJ: case ACL_GROUP_OBJ: case ACL_MASK: case ACL_OTHER: entry = (struct f2fs_acl_entry *)((char *)entry + sizeof(struct f2fs_acl_entry_short)); break; case ACL_USER: acl->a_entries[i].e_uid = make_kuid(&init_user_ns, le32_to_cpu(entry->e_id)); entry = (struct f2fs_acl_entry *)((char *)entry + sizeof(struct f2fs_acl_entry)); break; case ACL_GROUP: acl->a_entries[i].e_gid = make_kgid(&init_user_ns, le32_to_cpu(entry->e_id)); entry = (struct f2fs_acl_entry *)((char *)entry + sizeof(struct f2fs_acl_entry)); break; default: goto fail; } } if ((char *)entry != end) goto fail; return acl; fail: posix_acl_release(acl); return ERR_PTR(-EINVAL); } static void *f2fs_acl_to_disk(struct f2fs_sb_info *sbi, const struct posix_acl *acl, size_t *size) { struct f2fs_acl_header *f2fs_acl; struct f2fs_acl_entry *entry; int i; f2fs_acl = f2fs_kmalloc(sbi, sizeof(struct f2fs_acl_header) + acl->a_count * sizeof(struct f2fs_acl_entry), GFP_NOFS); if (!f2fs_acl) return ERR_PTR(-ENOMEM); f2fs_acl->a_version = cpu_to_le32(F2FS_ACL_VERSION); entry = (struct f2fs_acl_entry *)(f2fs_acl + 1); for (i = 0; i < acl->a_count; i++) { entry->e_tag = cpu_to_le16(acl->a_entries[i].e_tag); entry->e_perm = cpu_to_le16(acl->a_entries[i].e_perm); switch (acl->a_entries[i].e_tag) { case ACL_USER: entry->e_id = cpu_to_le32( from_kuid(&init_user_ns, acl->a_entries[i].e_uid)); entry = (struct f2fs_acl_entry *)((char *)entry + sizeof(struct f2fs_acl_entry)); break; case ACL_GROUP: entry->e_id = cpu_to_le32( from_kgid(&init_user_ns, acl->a_entries[i].e_gid)); entry = (struct f2fs_acl_entry *)((char *)entry + sizeof(struct f2fs_acl_entry)); break; case ACL_USER_OBJ: case ACL_GROUP_OBJ: case ACL_MASK: case ACL_OTHER: entry = (struct f2fs_acl_entry *)((char *)entry + sizeof(struct f2fs_acl_entry_short)); break; default: goto fail; } } *size = f2fs_acl_size(acl->a_count); return (void *)f2fs_acl; fail: kfree(f2fs_acl); return ERR_PTR(-EINVAL); } static struct posix_acl *__f2fs_get_acl(struct inode *inode, int type, struct page *dpage) { int name_index = F2FS_XATTR_INDEX_POSIX_ACL_DEFAULT; void *value = NULL; struct posix_acl *acl; int retval; if (type == ACL_TYPE_ACCESS) name_index = F2FS_XATTR_INDEX_POSIX_ACL_ACCESS; retval = f2fs_getxattr(inode, name_index, "", NULL, 0, dpage); if (retval > 0) { value = f2fs_kmalloc(F2FS_I_SB(inode), retval, GFP_F2FS_ZERO); if (!value) return ERR_PTR(-ENOMEM); retval = f2fs_getxattr(inode, name_index, "", value, retval, dpage); } if (retval > 0) acl = f2fs_acl_from_disk(value, retval); else if (retval == -ENODATA) acl = NULL; else acl = ERR_PTR(retval); kfree(value); return acl; } struct posix_acl *f2fs_get_acl(struct inode *inode, int type) { return __f2fs_get_acl(inode, type, NULL); } static int __f2fs_set_acl(struct inode *inode, int type, struct posix_acl *acl, struct page *ipage) { int name_index; void *value = NULL; size_t size = 0; int error; umode_t mode = inode->i_mode; switch (type) { case ACL_TYPE_ACCESS: name_index = F2FS_XATTR_INDEX_POSIX_ACL_ACCESS; if (acl && !ipage) { error = posix_acl_update_mode(inode, &mode, &acl); if (error) return error; set_acl_inode(inode, mode); } break; case ACL_TYPE_DEFAULT: name_index = F2FS_XATTR_INDEX_POSIX_ACL_DEFAULT; if (!S_ISDIR(inode->i_mode)) return acl ? -EACCES : 0; break; default: return -EINVAL; } if (acl) { value = f2fs_acl_to_disk(F2FS_I_SB(inode), acl, &size); if (IS_ERR(value)) { clear_inode_flag(inode, FI_ACL_MODE); return PTR_ERR(value); } } error = f2fs_setxattr(inode, name_index, "", value, size, ipage, 0); kfree(value); if (!error) set_cached_acl(inode, type, acl); clear_inode_flag(inode, FI_ACL_MODE); return error; } int f2fs_set_acl(struct inode *inode, struct posix_acl *acl, int type) { if (unlikely(f2fs_cp_error(F2FS_I_SB(inode)))) return -EIO; return __f2fs_set_acl(inode, type, acl, NULL); } /* * Most part of f2fs_acl_clone, f2fs_acl_create_masq, f2fs_acl_create * are copied from posix_acl.c */ static struct posix_acl *f2fs_acl_clone(const struct posix_acl *acl, gfp_t flags) { struct posix_acl *clone = NULL; if (acl) { int size = sizeof(struct posix_acl) + acl->a_count * sizeof(struct posix_acl_entry); clone = kmemdup(acl, size, flags); if (clone) refcount_set(&clone->a_refcount, 1); } return clone; } static int f2fs_acl_create_masq(struct posix_acl *acl, umode_t *mode_p) { struct posix_acl_entry *pa, *pe; struct posix_acl_entry *group_obj = NULL, *mask_obj = NULL; umode_t mode = *mode_p; int not_equiv = 0; /* assert(atomic_read(acl->a_refcount) == 1); */ FOREACH_ACL_ENTRY(pa, acl, pe) { switch(pa->e_tag) { case ACL_USER_OBJ: pa->e_perm &= (mode >> 6) | ~S_IRWXO; mode &= (pa->e_perm << 6) | ~S_IRWXU; break; case ACL_USER: case ACL_GROUP: not_equiv = 1; break; case ACL_GROUP_OBJ: group_obj = pa; break; case ACL_OTHER: pa->e_perm &= mode | ~S_IRWXO; mode &= pa->e_perm | ~S_IRWXO; break; case ACL_MASK: mask_obj = pa; not_equiv = 1; break; default: return -EIO; } } if (mask_obj) { mask_obj->e_perm &= (mode >> 3) | ~S_IRWXO; mode &= (mask_obj->e_perm << 3) | ~S_IRWXG; } else { if (!group_obj) return -EIO; group_obj->e_perm &= (mode >> 3) | ~S_IRWXO; mode &= (group_obj->e_perm << 3) | ~S_IRWXG; } *mode_p = (*mode_p & ~S_IRWXUGO) | mode; return not_equiv; } static int f2fs_acl_create(struct inode *dir, umode_t *mode, struct posix_acl **default_acl, struct posix_acl **acl, struct page *dpage) { struct posix_acl *p; struct posix_acl *clone; int ret; *acl = NULL; *default_acl = NULL; if (S_ISLNK(*mode) || !IS_POSIXACL(dir)) return 0; p = __f2fs_get_acl(dir, ACL_TYPE_DEFAULT, dpage); if (!p || p == ERR_PTR(-EOPNOTSUPP)) { *mode &= ~current_umask(); return 0; } if (IS_ERR(p)) return PTR_ERR(p); clone = f2fs_acl_clone(p, GFP_NOFS); if (!clone) goto no_mem; ret = f2fs_acl_create_masq(clone, mode); if (ret < 0) goto no_mem_clone; if (ret == 0) posix_acl_release(clone); else *acl = clone; if (!S_ISDIR(*mode)) posix_acl_release(p); else *default_acl = p; return 0; no_mem_clone: posix_acl_release(clone); no_mem: posix_acl_release(p); return -ENOMEM; } int f2fs_init_acl(struct inode *inode, struct inode *dir, struct page *ipage, struct page *dpage) { struct posix_acl *default_acl = NULL, *acl = NULL; int error = 0; error = f2fs_acl_create(dir, &inode->i_mode, &default_acl, &acl, dpage); if (error) return error; f2fs_mark_inode_dirty_sync(inode, true); if (default_acl) { error = __f2fs_set_acl(inode, ACL_TYPE_DEFAULT, default_acl, ipage); posix_acl_release(default_acl); } else { inode->i_default_acl = NULL; } if (acl) { if (!error) error = __f2fs_set_acl(inode, ACL_TYPE_ACCESS, acl, ipage); posix_acl_release(acl); } else { inode->i_acl = NULL; } return error; }
gpl-2.0
ingagecreative/cg
wp-content/plugins/constant-contact-api/vendor/giggsey/libphonenumber-for-php/src/libphonenumber/data/PhoneNumberMetadata_RS.php
5064
<?php /** * This file is automatically @generated by {@link BuildMetadataPHPFromXml}. * Please don't modify it directly. */ return array ( 'generalDesc' => array ( 'NationalNumberPattern' => ' [126-9]\\d{4,11}| 3(?: [0-79]\\d{3,10}| 8[2-9]\\d{2,9} ) ', 'PossibleNumberPattern' => '\\d{5,12}', ), 'fixedLine' => array ( 'NationalNumberPattern' => ' (?: 1(?: [02-9][2-9]| 1[1-9] )\\d| 2(?: [0-24-7][2-9]\\d| [389](?: 0[2-9]| [2-9]\\d ) )| 3(?: [0-8][2-9]\\d| 9(?: [2-9]\\d| 0[2-9] ) ) )\\d{3,8} ', 'PossibleNumberPattern' => '\\d{5,12}', 'ExampleNumber' => '10234567', ), 'mobile' => array ( 'NationalNumberPattern' => ' 6(?: [0-689]| 7\\d )\\d{6,7} ', 'PossibleNumberPattern' => '\\d{8,10}', 'ExampleNumber' => '601234567', ), 'tollFree' => array ( 'NationalNumberPattern' => '800\\d{3,9}', 'PossibleNumberPattern' => '\\d{6,12}', 'ExampleNumber' => '80012345', ), 'premiumRate' => array ( 'NationalNumberPattern' => ' (?: 90[0169]| 78\\d )\\d{3,7} ', 'PossibleNumberPattern' => '\\d{6,12}', 'ExampleNumber' => '90012345', ), 'sharedCost' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'personalNumber' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'voip' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'pager' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'uan' => array ( 'NationalNumberPattern' => '7[06]\\d{4,10}', 'PossibleNumberPattern' => '\\d{6,12}', 'ExampleNumber' => '700123456', ), 'emergency' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'voicemail' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'shortCode' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'standardRate' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'carrierSpecific' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'noInternationalDialling' => array ( 'NationalNumberPattern' => 'NA', 'PossibleNumberPattern' => 'NA', ), 'id' => 'RS', 'countryCode' => 381, 'internationalPrefix' => '00', 'nationalPrefix' => '0', 'nationalPrefixForParsing' => '0', 'sameMobileAndFixedLinePattern' => false, 'numberFormat' => array ( 0 => array ( 'pattern' => '([23]\\d{2})(\\d{4,9})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( 0 => ' (?: 2[389]| 39 )0 ', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), 1 => array ( 'pattern' => '([1-3]\\d)(\\d{5,10})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( 0 => ' 1| 2(?: [0-24-7]| [389][1-9] )| 3(?: [0-8]| 9[1-9] ) ', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), 2 => array ( 'pattern' => '(6\\d)(\\d{6,8})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( 0 => '6', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), 3 => array ( 'pattern' => '([89]\\d{2})(\\d{3,9})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( 0 => '[89]', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), 4 => array ( 'pattern' => '(7[26])(\\d{4,9})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( 0 => '7[26]', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), 5 => array ( 'pattern' => '(7[08]\\d)(\\d{4,9})', 'format' => '$1 $2', 'leadingDigitsPatterns' => array ( 0 => '7[08]', ), 'nationalPrefixFormattingRule' => '0$1', 'domesticCarrierCodeFormattingRule' => '', ), ), 'intlNumberFormat' => array ( ), 'mainCountryForCode' => false, 'leadingZeroPossible' => false, 'mobileNumberPortableRegion' => true, );
gpl-2.0
hannes/linux
drivers/bluetooth/bpa10x.c
9716
/* * * Digianswer Bluetooth USB driver * * Copyright (C) 2004-2007 Marcel Holtmann <[email protected]> * * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA * */ #include <linux/kernel.h> #include <linux/module.h> #include <linux/init.h> #include <linux/slab.h> #include <linux/types.h> #include <linux/sched.h> #include <linux/errno.h> #include <linux/skbuff.h> #include <linux/usb.h> #include <net/bluetooth/bluetooth.h> #include <net/bluetooth/hci_core.h> #include "hci_uart.h" #define VERSION "0.11" static const struct usb_device_id bpa10x_table[] = { /* Tektronix BPA 100/105 (Digianswer) */ { USB_DEVICE(0x08fd, 0x0002) }, { } /* Terminating entry */ }; MODULE_DEVICE_TABLE(usb, bpa10x_table); struct bpa10x_data { struct hci_dev *hdev; struct usb_device *udev; struct usb_anchor tx_anchor; struct usb_anchor rx_anchor; struct sk_buff *rx_skb[2]; }; static void bpa10x_tx_complete(struct urb *urb) { struct sk_buff *skb = urb->context; struct hci_dev *hdev = (struct hci_dev *) skb->dev; BT_DBG("%s urb %p status %d count %d", hdev->name, urb, urb->status, urb->actual_length); if (!test_bit(HCI_RUNNING, &hdev->flags)) goto done; if (!urb->status) hdev->stat.byte_tx += urb->transfer_buffer_length; else hdev->stat.err_tx++; done: kfree(urb->setup_packet); kfree_skb(skb); } #define HCI_VENDOR_HDR_SIZE 5 #define HCI_RECV_VENDOR \ .type = HCI_VENDOR_PKT, \ .hlen = HCI_VENDOR_HDR_SIZE, \ .loff = 3, \ .lsize = 2, \ .maxlen = HCI_MAX_FRAME_SIZE static const struct h4_recv_pkt bpa10x_recv_pkts[] = { { H4_RECV_ACL, .recv = hci_recv_frame }, { H4_RECV_SCO, .recv = hci_recv_frame }, { H4_RECV_EVENT, .recv = hci_recv_frame }, { HCI_RECV_VENDOR, .recv = hci_recv_diag }, }; static void bpa10x_rx_complete(struct urb *urb) { struct hci_dev *hdev = urb->context; struct bpa10x_data *data = hci_get_drvdata(hdev); int err; BT_DBG("%s urb %p status %d count %d", hdev->name, urb, urb->status, urb->actual_length); if (!test_bit(HCI_RUNNING, &hdev->flags)) return; if (urb->status == 0) { bool idx = usb_pipebulk(urb->pipe); data->rx_skb[idx] = h4_recv_buf(hdev, data->rx_skb[idx], urb->transfer_buffer, urb->actual_length, bpa10x_recv_pkts, ARRAY_SIZE(bpa10x_recv_pkts)); if (IS_ERR(data->rx_skb[idx])) { bt_dev_err(hdev, "corrupted event packet"); hdev->stat.err_rx++; data->rx_skb[idx] = NULL; } } usb_anchor_urb(urb, &data->rx_anchor); err = usb_submit_urb(urb, GFP_ATOMIC); if (err < 0) { bt_dev_err(hdev, "urb %p failed to resubmit (%d)", urb, -err); usb_unanchor_urb(urb); } } static inline int bpa10x_submit_intr_urb(struct hci_dev *hdev) { struct bpa10x_data *data = hci_get_drvdata(hdev); struct urb *urb; unsigned char *buf; unsigned int pipe; int err, size = 16; BT_DBG("%s", hdev->name); urb = usb_alloc_urb(0, GFP_KERNEL); if (!urb) return -ENOMEM; buf = kmalloc(size, GFP_KERNEL); if (!buf) { usb_free_urb(urb); return -ENOMEM; } pipe = usb_rcvintpipe(data->udev, 0x81); usb_fill_int_urb(urb, data->udev, pipe, buf, size, bpa10x_rx_complete, hdev, 1); urb->transfer_flags |= URB_FREE_BUFFER; usb_anchor_urb(urb, &data->rx_anchor); err = usb_submit_urb(urb, GFP_KERNEL); if (err < 0) { bt_dev_err(hdev, "urb %p submission failed (%d)", urb, -err); usb_unanchor_urb(urb); } usb_free_urb(urb); return err; } static inline int bpa10x_submit_bulk_urb(struct hci_dev *hdev) { struct bpa10x_data *data = hci_get_drvdata(hdev); struct urb *urb; unsigned char *buf; unsigned int pipe; int err, size = 64; BT_DBG("%s", hdev->name); urb = usb_alloc_urb(0, GFP_KERNEL); if (!urb) return -ENOMEM; buf = kmalloc(size, GFP_KERNEL); if (!buf) { usb_free_urb(urb); return -ENOMEM; } pipe = usb_rcvbulkpipe(data->udev, 0x82); usb_fill_bulk_urb(urb, data->udev, pipe, buf, size, bpa10x_rx_complete, hdev); urb->transfer_flags |= URB_FREE_BUFFER; usb_anchor_urb(urb, &data->rx_anchor); err = usb_submit_urb(urb, GFP_KERNEL); if (err < 0) { bt_dev_err(hdev, "urb %p submission failed (%d)", urb, -err); usb_unanchor_urb(urb); } usb_free_urb(urb); return err; } static int bpa10x_open(struct hci_dev *hdev) { struct bpa10x_data *data = hci_get_drvdata(hdev); int err; BT_DBG("%s", hdev->name); err = bpa10x_submit_intr_urb(hdev); if (err < 0) goto error; err = bpa10x_submit_bulk_urb(hdev); if (err < 0) goto error; return 0; error: usb_kill_anchored_urbs(&data->rx_anchor); return err; } static int bpa10x_close(struct hci_dev *hdev) { struct bpa10x_data *data = hci_get_drvdata(hdev); BT_DBG("%s", hdev->name); usb_kill_anchored_urbs(&data->rx_anchor); return 0; } static int bpa10x_flush(struct hci_dev *hdev) { struct bpa10x_data *data = hci_get_drvdata(hdev); BT_DBG("%s", hdev->name); usb_kill_anchored_urbs(&data->tx_anchor); return 0; } static int bpa10x_setup(struct hci_dev *hdev) { const u8 req[] = { 0x07 }; struct sk_buff *skb; BT_DBG("%s", hdev->name); /* Read revision string */ skb = __hci_cmd_sync(hdev, 0xfc0e, sizeof(req), req, HCI_INIT_TIMEOUT); if (IS_ERR(skb)) return PTR_ERR(skb); bt_dev_info(hdev, "%s", (char *)(skb->data + 1)); hci_set_fw_info(hdev, "%s", skb->data + 1); kfree_skb(skb); return 0; } static int bpa10x_send_frame(struct hci_dev *hdev, struct sk_buff *skb) { struct bpa10x_data *data = hci_get_drvdata(hdev); struct usb_ctrlrequest *dr; struct urb *urb; unsigned int pipe; int err; BT_DBG("%s", hdev->name); skb->dev = (void *) hdev; urb = usb_alloc_urb(0, GFP_ATOMIC); if (!urb) return -ENOMEM; /* Prepend skb with frame type */ *(u8 *)skb_push(skb, 1) = hci_skb_pkt_type(skb); switch (hci_skb_pkt_type(skb)) { case HCI_COMMAND_PKT: dr = kmalloc(sizeof(*dr), GFP_ATOMIC); if (!dr) { usb_free_urb(urb); return -ENOMEM; } dr->bRequestType = USB_TYPE_VENDOR; dr->bRequest = 0; dr->wIndex = 0; dr->wValue = 0; dr->wLength = __cpu_to_le16(skb->len); pipe = usb_sndctrlpipe(data->udev, 0x00); usb_fill_control_urb(urb, data->udev, pipe, (void *) dr, skb->data, skb->len, bpa10x_tx_complete, skb); hdev->stat.cmd_tx++; break; case HCI_ACLDATA_PKT: pipe = usb_sndbulkpipe(data->udev, 0x02); usb_fill_bulk_urb(urb, data->udev, pipe, skb->data, skb->len, bpa10x_tx_complete, skb); hdev->stat.acl_tx++; break; case HCI_SCODATA_PKT: pipe = usb_sndbulkpipe(data->udev, 0x02); usb_fill_bulk_urb(urb, data->udev, pipe, skb->data, skb->len, bpa10x_tx_complete, skb); hdev->stat.sco_tx++; break; default: usb_free_urb(urb); return -EILSEQ; } usb_anchor_urb(urb, &data->tx_anchor); err = usb_submit_urb(urb, GFP_ATOMIC); if (err < 0) { bt_dev_err(hdev, "urb %p submission failed", urb); kfree(urb->setup_packet); usb_unanchor_urb(urb); } usb_free_urb(urb); return 0; } static int bpa10x_set_diag(struct hci_dev *hdev, bool enable) { const u8 req[] = { 0x00, enable }; struct sk_buff *skb; BT_DBG("%s", hdev->name); if (!test_bit(HCI_RUNNING, &hdev->flags)) return -ENETDOWN; /* Enable sniffer operation */ skb = __hci_cmd_sync(hdev, 0xfc0e, sizeof(req), req, HCI_INIT_TIMEOUT); if (IS_ERR(skb)) return PTR_ERR(skb); kfree_skb(skb); return 0; } static int bpa10x_probe(struct usb_interface *intf, const struct usb_device_id *id) { struct bpa10x_data *data; struct hci_dev *hdev; int err; BT_DBG("intf %p id %p", intf, id); if (intf->cur_altsetting->desc.bInterfaceNumber != 0) return -ENODEV; data = devm_kzalloc(&intf->dev, sizeof(*data), GFP_KERNEL); if (!data) return -ENOMEM; data->udev = interface_to_usbdev(intf); init_usb_anchor(&data->tx_anchor); init_usb_anchor(&data->rx_anchor); hdev = hci_alloc_dev(); if (!hdev) return -ENOMEM; hdev->bus = HCI_USB; hci_set_drvdata(hdev, data); data->hdev = hdev; SET_HCIDEV_DEV(hdev, &intf->dev); hdev->open = bpa10x_open; hdev->close = bpa10x_close; hdev->flush = bpa10x_flush; hdev->setup = bpa10x_setup; hdev->send = bpa10x_send_frame; hdev->set_diag = bpa10x_set_diag; set_bit(HCI_QUIRK_RESET_ON_CLOSE, &hdev->quirks); err = hci_register_dev(hdev); if (err < 0) { hci_free_dev(hdev); return err; } usb_set_intfdata(intf, data); return 0; } static void bpa10x_disconnect(struct usb_interface *intf) { struct bpa10x_data *data = usb_get_intfdata(intf); BT_DBG("intf %p", intf); if (!data) return; usb_set_intfdata(intf, NULL); hci_unregister_dev(data->hdev); hci_free_dev(data->hdev); kfree_skb(data->rx_skb[0]); kfree_skb(data->rx_skb[1]); } static struct usb_driver bpa10x_driver = { .name = "bpa10x", .probe = bpa10x_probe, .disconnect = bpa10x_disconnect, .id_table = bpa10x_table, .disable_hub_initiated_lpm = 1, }; module_usb_driver(bpa10x_driver); MODULE_AUTHOR("Marcel Holtmann <[email protected]>"); MODULE_DESCRIPTION("Digianswer Bluetooth USB driver ver " VERSION); MODULE_VERSION(VERSION); MODULE_LICENSE("GPL");
gpl-2.0
SheYo/bc
webform_handlers/vendor/jms/serializer/tests/Fixtures/ObjectWithNullProperty.php
980
<?php /* * Copyright 2016 Johannes M. Schmitt <[email protected]> * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ namespace JMS\Serializer\Tests\Fixtures; use JMS\Serializer\Annotation\Type; class ObjectWithNullProperty extends SimpleObject { /** * @var null * @Type("string") */ private $nullProperty = null; /** * @return null */ public function getNullProperty() { return $this->nullProperty; } }
gpl-2.0
c0d3z3r0/linux-rockchip
drivers/gpu/drm/arc/arcpgu_crtc.c
6944
// SPDX-License-Identifier: GPL-2.0-only /* * ARC PGU DRM driver. * * Copyright (C) 2016 Synopsys, Inc. (www.synopsys.com) */ #include <drm/drm_atomic_helper.h> #include <drm/drm_device.h> #include <drm/drm_fb_cma_helper.h> #include <drm/drm_gem_cma_helper.h> #include <drm/drm_vblank.h> #include <drm/drm_plane_helper.h> #include <drm/drm_probe_helper.h> #include <linux/clk.h> #include <linux/platform_data/simplefb.h> #include "arcpgu.h" #include "arcpgu_regs.h" #define ENCODE_PGU_XY(x, y) ((((x) - 1) << 16) | ((y) - 1)) static const u32 arc_pgu_supported_formats[] = { DRM_FORMAT_RGB565, DRM_FORMAT_XRGB8888, DRM_FORMAT_ARGB8888, }; static void arc_pgu_set_pxl_fmt(struct drm_crtc *crtc) { struct arcpgu_drm_private *arcpgu = crtc_to_arcpgu_priv(crtc); const struct drm_framebuffer *fb = crtc->primary->state->fb; uint32_t pixel_format = fb->format->format; u32 format = DRM_FORMAT_INVALID; int i; u32 reg_ctrl; for (i = 0; i < ARRAY_SIZE(arc_pgu_supported_formats); i++) { if (arc_pgu_supported_formats[i] == pixel_format) format = arc_pgu_supported_formats[i]; } if (WARN_ON(format == DRM_FORMAT_INVALID)) return; reg_ctrl = arc_pgu_read(arcpgu, ARCPGU_REG_CTRL); if (format == DRM_FORMAT_RGB565) reg_ctrl &= ~ARCPGU_MODE_XRGB8888; else reg_ctrl |= ARCPGU_MODE_XRGB8888; arc_pgu_write(arcpgu, ARCPGU_REG_CTRL, reg_ctrl); } static const struct drm_crtc_funcs arc_pgu_crtc_funcs = { .destroy = drm_crtc_cleanup, .set_config = drm_atomic_helper_set_config, .page_flip = drm_atomic_helper_page_flip, .reset = drm_atomic_helper_crtc_reset, .atomic_duplicate_state = drm_atomic_helper_crtc_duplicate_state, .atomic_destroy_state = drm_atomic_helper_crtc_destroy_state, }; static enum drm_mode_status arc_pgu_crtc_mode_valid(struct drm_crtc *crtc, const struct drm_display_mode *mode) { struct arcpgu_drm_private *arcpgu = crtc_to_arcpgu_priv(crtc); long rate, clk_rate = mode->clock * 1000; long diff = clk_rate / 200; /* +-0.5% allowed by HDMI spec */ rate = clk_round_rate(arcpgu->clk, clk_rate); if ((max(rate, clk_rate) - min(rate, clk_rate) < diff) && (rate > 0)) return MODE_OK; return MODE_NOCLOCK; } static void arc_pgu_crtc_mode_set_nofb(struct drm_crtc *crtc) { struct arcpgu_drm_private *arcpgu = crtc_to_arcpgu_priv(crtc); struct drm_display_mode *m = &crtc->state->adjusted_mode; u32 val; arc_pgu_write(arcpgu, ARCPGU_REG_FMT, ENCODE_PGU_XY(m->crtc_htotal, m->crtc_vtotal)); arc_pgu_write(arcpgu, ARCPGU_REG_HSYNC, ENCODE_PGU_XY(m->crtc_hsync_start - m->crtc_hdisplay, m->crtc_hsync_end - m->crtc_hdisplay)); arc_pgu_write(arcpgu, ARCPGU_REG_VSYNC, ENCODE_PGU_XY(m->crtc_vsync_start - m->crtc_vdisplay, m->crtc_vsync_end - m->crtc_vdisplay)); arc_pgu_write(arcpgu, ARCPGU_REG_ACTIVE, ENCODE_PGU_XY(m->crtc_hblank_end - m->crtc_hblank_start, m->crtc_vblank_end - m->crtc_vblank_start)); val = arc_pgu_read(arcpgu, ARCPGU_REG_CTRL); if (m->flags & DRM_MODE_FLAG_PVSYNC) val |= ARCPGU_CTRL_VS_POL_MASK << ARCPGU_CTRL_VS_POL_OFST; else val &= ~(ARCPGU_CTRL_VS_POL_MASK << ARCPGU_CTRL_VS_POL_OFST); if (m->flags & DRM_MODE_FLAG_PHSYNC) val |= ARCPGU_CTRL_HS_POL_MASK << ARCPGU_CTRL_HS_POL_OFST; else val &= ~(ARCPGU_CTRL_HS_POL_MASK << ARCPGU_CTRL_HS_POL_OFST); arc_pgu_write(arcpgu, ARCPGU_REG_CTRL, val); arc_pgu_write(arcpgu, ARCPGU_REG_STRIDE, 0); arc_pgu_write(arcpgu, ARCPGU_REG_START_SET, 1); arc_pgu_set_pxl_fmt(crtc); clk_set_rate(arcpgu->clk, m->crtc_clock * 1000); } static void arc_pgu_crtc_atomic_enable(struct drm_crtc *crtc, struct drm_crtc_state *old_state) { struct arcpgu_drm_private *arcpgu = crtc_to_arcpgu_priv(crtc); clk_prepare_enable(arcpgu->clk); arc_pgu_write(arcpgu, ARCPGU_REG_CTRL, arc_pgu_read(arcpgu, ARCPGU_REG_CTRL) | ARCPGU_CTRL_ENABLE_MASK); } static void arc_pgu_crtc_atomic_disable(struct drm_crtc *crtc, struct drm_crtc_state *old_state) { struct arcpgu_drm_private *arcpgu = crtc_to_arcpgu_priv(crtc); clk_disable_unprepare(arcpgu->clk); arc_pgu_write(arcpgu, ARCPGU_REG_CTRL, arc_pgu_read(arcpgu, ARCPGU_REG_CTRL) & ~ARCPGU_CTRL_ENABLE_MASK); } static void arc_pgu_crtc_atomic_begin(struct drm_crtc *crtc, struct drm_crtc_state *state) { struct drm_pending_vblank_event *event = crtc->state->event; if (event) { crtc->state->event = NULL; spin_lock_irq(&crtc->dev->event_lock); drm_crtc_send_vblank_event(crtc, event); spin_unlock_irq(&crtc->dev->event_lock); } } static const struct drm_crtc_helper_funcs arc_pgu_crtc_helper_funcs = { .mode_valid = arc_pgu_crtc_mode_valid, .mode_set_nofb = arc_pgu_crtc_mode_set_nofb, .atomic_begin = arc_pgu_crtc_atomic_begin, .atomic_enable = arc_pgu_crtc_atomic_enable, .atomic_disable = arc_pgu_crtc_atomic_disable, }; static void arc_pgu_plane_atomic_update(struct drm_plane *plane, struct drm_plane_state *state) { struct arcpgu_drm_private *arcpgu; struct drm_gem_cma_object *gem; if (!plane->state->crtc || !plane->state->fb) return; arcpgu = crtc_to_arcpgu_priv(plane->state->crtc); gem = drm_fb_cma_get_gem_obj(plane->state->fb, 0); arc_pgu_write(arcpgu, ARCPGU_REG_BUF0_ADDR, gem->paddr); } static const struct drm_plane_helper_funcs arc_pgu_plane_helper_funcs = { .atomic_update = arc_pgu_plane_atomic_update, }; static void arc_pgu_plane_destroy(struct drm_plane *plane) { drm_plane_cleanup(plane); } static const struct drm_plane_funcs arc_pgu_plane_funcs = { .update_plane = drm_atomic_helper_update_plane, .disable_plane = drm_atomic_helper_disable_plane, .destroy = arc_pgu_plane_destroy, .reset = drm_atomic_helper_plane_reset, .atomic_duplicate_state = drm_atomic_helper_plane_duplicate_state, .atomic_destroy_state = drm_atomic_helper_plane_destroy_state, }; static struct drm_plane *arc_pgu_plane_init(struct drm_device *drm) { struct arcpgu_drm_private *arcpgu = drm->dev_private; struct drm_plane *plane = NULL; int ret; plane = devm_kzalloc(drm->dev, sizeof(*plane), GFP_KERNEL); if (!plane) return ERR_PTR(-ENOMEM); ret = drm_universal_plane_init(drm, plane, 0xff, &arc_pgu_plane_funcs, arc_pgu_supported_formats, ARRAY_SIZE(arc_pgu_supported_formats), NULL, DRM_PLANE_TYPE_PRIMARY, NULL); if (ret) return ERR_PTR(ret); drm_plane_helper_add(plane, &arc_pgu_plane_helper_funcs); arcpgu->plane = plane; return plane; } int arc_pgu_setup_crtc(struct drm_device *drm) { struct arcpgu_drm_private *arcpgu = drm->dev_private; struct drm_plane *primary; int ret; primary = arc_pgu_plane_init(drm); if (IS_ERR(primary)) return PTR_ERR(primary); ret = drm_crtc_init_with_planes(drm, &arcpgu->crtc, primary, NULL, &arc_pgu_crtc_funcs, NULL); if (ret) { arc_pgu_plane_destroy(primary); return ret; } drm_crtc_helper_add(&arcpgu->crtc, &arc_pgu_crtc_helper_funcs); return 0; }
gpl-2.0
NetSys/click
tools/lib/elementmap.cc
21491
// -*- c-basic-offset: 4 -*- /* * elementmap.{cc,hh} -- an element map class * Eddie Kohler * * Copyright (c) 1999-2000 Massachusetts Institute of Technology * Copyright (c) 2000 Mazu Networks, Inc. * Copyright (c) 2001 International Computer Science Institute * Copyright (c) 2008-2009 Meraki, Inc. * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, subject to the conditions * listed in the Click LICENSE file. These conditions include: you must * preserve this copyright notice, and you cannot mention the copyright * holders in advertising related to the Software without their permission. * The Software is provided WITHOUT ANY WARRANTY, EXPRESS OR IMPLIED. This * notice is a summary of the Click LICENSE file; the license in that file is * legally binding. */ #include <click/config.h> #include <click/straccum.hh> #include <click/bitvector.hh> #include "routert.hh" #include "lexert.hh" #include "elementmap.hh" #include "toolutils.hh" #include <click/confparse.hh> int32_t ElementMap::version_counter = 0; static ElementMap main_element_map; ElementMap *ElementMap::the_element_map = &main_element_map; static Vector<ElementMap *> element_map_stack; ElementMap::ElementMap() : _name_map(0), _use_count(0), _driver_mask(Driver::ALLMASK), _provided_driver_mask(0) { _e.push_back(Traits()); _def.push_back(Globals()); incr_version(); } ElementMap::ElementMap(const String& str, ErrorHandler* errh) : _name_map(0), _use_count(0), _driver_mask(Driver::ALLMASK), _provided_driver_mask(0) { _e.push_back(Traits()); _def.push_back(Globals()); parse(str, errh); incr_version(); } ElementMap::~ElementMap() { assert(_use_count == 0); } void ElementMap::push_default(ElementMap *emap) { emap->use(); element_map_stack.push_back(the_element_map); the_element_map = emap; } void ElementMap::pop_default() { ElementMap *old = the_element_map; if (element_map_stack.size()) { the_element_map = element_map_stack.back(); element_map_stack.pop_back(); } else the_element_map = &main_element_map; old->unuse(); } void ElementMap::pop_default(ElementMap *emap) { if (the_element_map == emap) pop_default(); } int ElementMap::driver_elt_index(int i) const { while (i > 0 && (_e[i].driver_mask & _driver_mask) == 0) i = _e[i].name_next; return i; } String ElementMap::documentation_url(const ElementTraits &t) const { String name = t.documentation_name; if (name) return percent_substitute(_def[t.def_index].dochref, 's', name.c_str(), 0); else return ""; } int ElementMap::add(const Traits &e) { int i = _e.size(); _e.push_back(e); Traits &my_e = _e.back(); if (my_e.requirements) my_e.calculate_driver_mask(); if (e.name) { ElementClassT *c = ElementClassT::base_type(e.name); my_e.name_next = _name_map[c->name()]; _name_map.set(c->name(), i); } incr_version(); return i; } void ElementMap::remove_at(int i) { // XXX repeated removes can fill up ElementMap with crap if (i <= 0 || i >= _e.size()) return; Traits &e = _e[i]; int p = -1; for (int t = _name_map.get(e.name); t > 0; p = t, t = _e[t].name_next) /* nada */; if (p >= 0) _e[p].name_next = e.name_next; else if (e.name) _name_map.set(e.name, e.name_next); e.name = e.cxx = String(); incr_version(); } Traits & ElementMap::force_traits(const String &class_name) { int initial_i = _name_map[class_name], i = initial_i; if (!(_e[i].driver_mask & _driver_mask) && i > 0) i = driver_elt_index(i); if (i == 0) { Traits t; if (initial_i == 0) t.name = class_name; else t = _e[initial_i]; t.driver_mask = _driver_mask; i = add(t); } return _e[i]; } static const char * parse_attribute_value(String *result, const char *s, const char *ends, const HashTable<String, String> &entities, ErrorHandler *errh) { while (s < ends && isspace((unsigned char) *s)) s++; if (s >= ends || (*s != '\'' && *s != '\"')) { errh->error("XML parse error: missing attribute value"); return s; } char quote = *s; const char *first = s + 1; StringAccum sa; for (s++; s < ends && *s != quote; s++) if (*s == '&') { // dump on normal text sa.append(first, s - first); if (s + 3 < ends && s[1] == '#' && s[2] == 'x') { // hex character reference int c = 0; for (s += 3; isxdigit((unsigned char) *s); s++) if (isdigit((unsigned char) *s)) c = (c * 16) + *s - '0'; else c = (c * 16) + tolower((unsigned char) *s) - 'a' + 10; sa << (char)c; } else if (s + 2 < ends && s[1] == '#') { // decimal character reference int c = 0; for (s += 2; isdigit((unsigned char) *s); s++) c = (c * 10) + *s - '0'; sa << (char)c; } else { // named entity const char *t; for (t = s + 1; t < ends && *t != quote && *t != ';'; t++) /* nada */; if (t < ends && *t == ';') { String entity_name(s + 1, t - s - 1); sa << entities[entity_name]; s = t; } } // check entity ended correctly if (s >= ends || *s != ';') { errh->error("XML parse error: bad entity name"); return s; } first = s + 1; } sa.append(first, s - first); if (s >= ends) errh->error("XML parse error: unterminated attribute value"); else s++; *result = sa.take_string(); return s; } static const char * parse_xml_attrs(HashTable<String, String> &attrs, const char *s, const char *ends, bool *closed, const HashTable<String, String> &entities, ErrorHandler *errh) { while (s < ends) { while (s < ends && isspace((unsigned char) *s)) s++; if (s >= ends) return s; else if (*s == '/') { *closed = true; return s; } else if (*s == '>') return s; // get attribute name const char *attrstart = s; while (s < ends && !isspace((unsigned char) *s) && *s != '=') s++; if (s == attrstart) { errh->error("XML parse error: missing attribute name"); return s; } String attrname(attrstart, s - attrstart); // skip whitespace and equals sign while (s < ends && isspace((unsigned char) *s)) s++; if (s >= ends || *s != '=') { errh->error("XML parse error: missing %<=%>"); return s; } s++; // get attribute value String attrvalue; s = parse_attribute_value(&attrvalue, s, ends, entities, errh); attrs.set(attrname, attrvalue); } return s; } void ElementMap::parse_xml(const String &str, const String &package_name, ErrorHandler *errh) { if (!errh) errh = ErrorHandler::silent_handler(); // prepare entities HashTable<String, String> entities; entities.set("lt", "<"); entities.set("amp", "&"); entities.set("gt", ">"); entities.set("quot", "\""); entities.set("apos", "'"); const char *s = str.data(); const char *ends = s + str.length(); bool in_elementmap = false; while (s < ends) { // skip to '<' while (s < ends && *s != '<') s++; for (s++; s < ends && isspace((unsigned char) *s); s++) /* nada */; bool closed = false; if (s < ends && *s == '/') { closed = true; for (s++; s < ends && isspace((unsigned char) *s); s++) /* nada */; } // which tag if (s + 10 < ends && memcmp(s, "elementmap", 10) == 0 && (isspace((unsigned char) s[10]) || s[10] == '>' || s[10] == '/')) { // parse elementmap tag if (!closed) { if (in_elementmap) errh->error("XML elementmap parse error: nested <elementmap> tags"); HashTable<String, String> attrs; s = parse_xml_attrs(attrs, s + 10, ends, &closed, entities, errh); Globals g; g.package = (attrs["package"] ? attrs["package"] : package_name); g.srcdir = attrs["sourcedir"]; if (attrs["src"].substring(0, 7) == "file://") g.srcdir = attrs["src"].substring(7); g.dochref = attrs["dochref"]; if (!g.dochref) g.dochref = attrs["webdoc"]; if (attrs["provides"]) _e[0].provisions += " " + attrs["provides"]; g.driver_mask = Driver::ALLMASK; if (attrs["drivers"]) g.driver_mask = Driver::driver_mask(attrs["drivers"]); if (!_provided_driver_mask) _provided_driver_mask = g.driver_mask; _def.push_back(g); in_elementmap = true; } if (closed) in_elementmap = false; } else if (s + 5 < ends && memcmp(s, "entry", 5) == 0 && (isspace((unsigned char) s[5]) || s[5] == '>' || s[5] == '/') && !closed && in_elementmap) { // parse entry tag HashTable<String, String> attrs; s = parse_xml_attrs(attrs, s + 5, ends, &closed, entities, errh); Traits elt; for (HashTable<String, String>::iterator i = attrs.begin(); i.live(); i++) if (String *sp = elt.component(i.key())) *sp = i.value(); if (elt.provisions || elt.name) { elt.def_index = _def.size() - 1; (void) add(elt); } } else if (s + 7 < ends && memcmp(s, "!ENTITY", 7) == 0 && (isspace((unsigned char) s[7]) || s[7] == '>' || s[7] == '/')) { // parse entity declaration for (s += 7; s < ends && isspace((unsigned char) *s); s++) /* nada */; if (s >= ends || *s == '%') // skip DTD entities break; const char *name_start = s; while (s < ends && !isspace((unsigned char) *s)) s++; String name(name_start, s - name_start), value; s = parse_attribute_value(&value, s, ends, entities, errh); entities.set(name, value); } else if (s + 8 < ends && memcmp(s, "![CDATA[", 8) == 0) { // skip CDATA section for (s += 8; s < ends; s++) if (*s == ']' && s + 3 <= ends && memcmp(s, "]]>", 3) == 0) break; } else if (s + 3 < ends && memcmp(s, "!--", 3) == 0) { // skip comment for (s += 3; s < ends; s++) if (*s == '-' && s + 3 <= ends && memcmp(s, "-->", 3) == 0) break; } // skip to '>' while (s < ends && *s != '>') s++; } } void ElementMap::parse(const String &str, const String &package_name, ErrorHandler *errh) { if (str.length() && str[0] == '<') { parse_xml(str, package_name, errh); return; } int def_index = 0; if (package_name != _def[0].package) { def_index = _def.size(); _def.push_back(Globals()); _def.back().package = package_name; } // set up default data Vector<int> data; for (int i = Traits::D_FIRST_DEFAULT; i <= Traits::D_LAST_DEFAULT; i++) data.push_back(i); // loop over the lines const char *begin = str.begin(); const char *end = str.end(); while (begin < end) { // read a line String line = str.substring(begin, find(begin, end, '\n')); begin = line.end() + 1; // break into words Vector<String> words; cp_spacevec(line, words); // skip blank lines & comments if (words.size() == 0 || words[0][0] == '#') continue; // check for $sourcedir if (words[0] == "$sourcedir") { if (words.size() == 2) { def_index = _def.size(); _def.push_back(Globals()); _def.back() = _def[def_index - 1]; _def.back().srcdir = cp_unquote(words[1]); } } else if (words[0] == "$webdoc") { if (words.size() == 2) { def_index = _def.size(); _def.push_back(Globals()); _def.back() = _def[def_index - 1]; _def.back().dochref = cp_unquote(words[1]); } } else if (words[0] == "$provides") { for (int i = 1; i < words.size(); i++) _e[0].provisions += " " + cp_unquote(words[i]); } else if (words[0] == "$data") { data.clear(); for (int i = 1; i < words.size(); i++) data.push_back(Traits::parse_component(cp_unquote(words[i]))); } else if (words[0][0] != '$') { // an actual line Traits elt; for (int i = 0; i < data.size() && i < words.size(); i++) if (String *sp = elt.component(data[i])) *sp = cp_unquote(words[i]); if (elt.provisions || elt.name) { elt.def_index = def_index; (void) add(elt); } } } } void ElementMap::parse(const String &str, ErrorHandler *errh) { parse(str, String(), errh); } String ElementMap::unparse(const String &package) const { StringAccum sa; sa << "<?xml version=\"1.0\" standalone=\"yes\"?>\n\ <elementmap xmlns=\"http://www.lcdf.org/click/xml/\""; if (package) sa << " package=\"" << xml_quote(package) << "\""; sa << ">\n"; for (int i = 1; i < _e.size(); i++) { const Traits &e = _e[i]; if (!e.name && !e.cxx) continue; sa << " <entry"; if (e.name) sa << " name=\"" << xml_quote(e.name) << "\""; if (e.cxx) sa << " cxxclass=\"" << xml_quote(e.cxx) << "\""; if (e.documentation_name) sa << " docname=\"" << xml_quote(e.documentation_name) << "\""; if (e.header_file) sa << " headerfile=\"" << xml_quote(e.header_file) << "\""; if (e.source_file) sa << " sourcefile=\"" << xml_quote(e.source_file) << "\""; sa << " processing=\"" << xml_quote(e.processing_code) << "\" flowcode=\"" << xml_quote(e.flow_code) << "\""; if (e.flags) sa << " flags=\"" << xml_quote(e.flags) << "\""; if (e.requirements) sa << " requires=\"" << xml_quote(e.requirements) << "\""; if (e.provisions) sa << " provides=\"" << xml_quote(e.provisions) << "\""; if (e.noexport) sa << " noexport=\"" << xml_quote(e.noexport) << "\""; sa << " />\n"; } sa << "</elementmap>\n"; return sa.take_string(); } String ElementMap::unparse_nonxml() const { StringAccum sa; sa << "$data\tname\tcxxclass\tdocname\theaderfile\tprocessing\tflowcode\tflags\trequires\tprovides\n"; for (int i = 1; i < _e.size(); i++) { const Traits &e = _e[i]; if (!e.name && !e.cxx) continue; sa << cp_quote(e.name) << '\t' << cp_quote(e.cxx) << '\t' << cp_quote(e.documentation_name) << '\t' << cp_quote(e.header_file) << '\t' << cp_quote(e.processing_code) << '\t' << cp_quote(e.flow_code) << '\t' << cp_quote(e.flags) << '\t' << cp_quote(e.requirements) << '\t' << cp_quote(e.provisions) << '\n'; } return sa.take_string(); } void ElementMap::collect_indexes(const RouterT *router, Vector<int> &indexes, ErrorHandler *errh) const { indexes.clear(); HashTable<ElementClassT *, int> types(-1); router->collect_types(types); for (HashTable<ElementClassT *, int>::iterator i = types.begin(); i.live(); i++) if (i.key()->primitive()) { int t = _name_map[i.key()->name()]; if (t > 0) indexes.push_back(t); else if (errh) errh->error("unknown element class %<%s%>", i.key()->printable_name_c_str()); } } int ElementMap::check_completeness(const RouterT *r, ErrorHandler *errh) const { LocalErrorHandler lerrh(errh); Vector<int> indexes; collect_indexes(r, indexes, &lerrh); return (lerrh.nerrors() ? -1 : 0); } bool ElementMap::driver_indifferent(const RouterT *r, int driver_mask, ErrorHandler *errh) const { Vector<int> indexes; collect_indexes(r, indexes, errh); for (int i = 0; i < indexes.size(); i++) { int idx = indexes[i]; if (idx > 0 && (_e[idx].driver_mask & driver_mask) != driver_mask) return false; } return true; } int ElementMap::compatible_driver_mask(const RouterT *r, ErrorHandler *errh) const { Vector<int> indexes; collect_indexes(r, indexes, errh); int mask = Driver::ALLMASK; for (int i = 0; i < indexes.size(); i++) { int idx = indexes[i]; int elt_mask = 0; while (idx > 0) { int idx_mask = _e[idx].driver_mask; if (idx_mask & (1 << Driver::MULTITHREAD)) for (int d = 0; d < Driver::COUNT; ++d) if ((idx_mask & (1 << d)) && !provides_global(Driver::multithread_name(d))) idx_mask &= ~(1 << d); elt_mask |= idx_mask; idx = _e[idx].name_next; } mask &= elt_mask; } return mask; } bool ElementMap::driver_compatible(const RouterT *r, int driver, ErrorHandler *errh) const { return compatible_driver_mask(r, errh) & (1 << driver); } void ElementMap::set_driver_mask(int driver_mask) { if (_driver_mask != driver_mask) incr_version(); _driver_mask = driver_mask; } int ElementMap::pick_driver(int wanted_driver, const RouterT* router, ErrorHandler* errh) const { LocalErrorHandler lerrh(errh); int driver_mask = compatible_driver_mask(router, &lerrh); if (driver_mask == 0) { lerrh.warning("configuration not compatible with any driver"); return Driver::USERLEVEL; } if ((driver_mask & _provided_driver_mask) == 0) { lerrh.warning("configuration not compatible with installed drivers"); driver_mask = _provided_driver_mask; } if (wanted_driver >= 0) { if (!(driver_mask & (1 << wanted_driver))) lerrh.warning("configuration not compatible with %s driver", Driver::name(wanted_driver)); return wanted_driver; } for (int d = Driver::COUNT - 1; d >= 0; d--) if (driver_mask & (1 << d)) wanted_driver = d; // don't complain if only a single driver works if ((driver_mask & (driver_mask - 1)) != 0 && !driver_indifferent(router, driver_mask, errh)) lerrh.warning("configuration not indifferent to driver, picking %s\n(You might want to specify a driver explicitly.)", Driver::name(wanted_driver)); return wanted_driver; } bool ElementMap::find_and_parse_package_file(const String& package_name, const RouterT* r, const String& default_path, ErrorHandler* errh, const String& filetype, bool verbose) { String mapname, mapname2; if (package_name && package_name != "<archive>") { mapname = "elementmap-" + package_name + ".xml"; mapname2 = "elementmap." + package_name; } else { mapname = "elementmap.xml"; mapname2 = "elementmap"; } // look for elementmap in archive if (r) { int aei = r->archive_index(mapname); if (aei < 0) aei = r->archive_index(mapname2); if (aei >= 0) { if (errh && verbose) errh->message("parsing %s %<%s%> from configuration archive", filetype.c_str(), r->archive(aei).name.c_str()); parse(r->archive(aei).data, package_name); return true; } } // look for elementmap in file system if (package_name != "<archive>") { String fn = clickpath_find_file(mapname, "share", default_path); if (!fn) fn = clickpath_find_file(mapname2, "share", default_path); if (fn) { if (errh && verbose) errh->message("parsing %s %<%s%>", filetype.c_str(), fn.c_str()); String text = file_string(fn, errh); parse(text, package_name); return true; } if (errh) errh->warning("%s missing", filetype.c_str()); } return false; } bool ElementMap::parse_default_file(const String &default_path, ErrorHandler *errh, bool verbose) { return find_and_parse_package_file("", 0, default_path, errh, "default elementmap", verbose); } bool ElementMap::parse_package_file(const String& package_name, const RouterT* r, const String& default_path, ErrorHandler* errh, bool verbose) { return find_and_parse_package_file(package_name, r, default_path, errh, errh->format("package %<%s%> elementmap", package_name.c_str()), verbose); } bool ElementMap::parse_requirement_files(RouterT *r, const String &default_path, ErrorHandler *errh, bool verbose) { String not_found; // try elementmap in archive find_and_parse_package_file("<archive>", r, "", errh, "archive elementmap", verbose); // parse elementmaps for requirements in required order const Vector<String> &requirements = r->requirements(); bool ok = true; for (int i = 0; i < requirements.size(); i += 2) { if (!requirements[i].equals("package", 7)) continue; if (!find_and_parse_package_file(requirements[i+1], r, default_path, errh, errh->format("package %<%s%> elementmap", requirements[i+1].c_str()), verbose)) ok = false; } return ok; } bool ElementMap::parse_all_files(RouterT *r, const String &default_path, ErrorHandler *errh) { bool found_default = parse_default_file(default_path, errh); bool found_other = parse_requirement_files(r, default_path, errh); if (found_default && found_other) return true; else { report_file_not_found(default_path, found_default, errh); return false; } } void ElementMap::report_file_not_found(String default_path, bool found_default, ErrorHandler *errh) { if (!found_default) errh->message("(The %<elementmap.xml%> file stores information about available elements,\nand is required for correct operation. %<make install%> should install it."); else errh->message("(You may get unknown element class errors."); const char *path = clickpath(); bool allows_default = path_allows_default_path(path); if (!allows_default) errh->message("Searched in CLICKPATH %<%s%>.)", path); else if (!path) errh->message("Searched in install directory %<%s%>.)", default_path.c_str()); else errh->message("Searched in CLICKPATH and %<%s%>.)", default_path.c_str()); } // TraitsIterator ElementMap::TraitsIterator::TraitsIterator(const ElementMap *emap, bool elements_only) : _emap(emap), _index(0), _elements_only(elements_only) { (*this)++; } void ElementMap::TraitsIterator::operator++(int) { _index++; while (_index < _emap->size()) { const ElementTraits &t = _emap->traits_at(_index); if ((t.driver_mask & _emap->driver_mask()) && (t.name || t.cxx) && (t.name || !_elements_only)) break; _index++; } }
gpl-2.0
j2carv/xbmc-1
xbmc/linux/DBusUtil.cpp
4822
/* * Copyright (C) 2005-2009 Team XBMC * http://www.xbmc.org * * This Program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2, or (at your option) * any later version. * * This Program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with XBMC; see the file COPYING. If not, write to * the Free Software Foundation, 675 Mass Ave, Cambridge, MA 02139, USA. * http://www.gnu.org/copyleft/gpl.html * */ #include "DBusUtil.h" #ifdef HAS_DBUS #include "utils/log.h" CVariant CDBusUtil::GetVariant(const char *destination, const char *object, const char *interface, const char *property) { //dbus-send --system --print-reply --dest=destination object org.freedesktop.DBus.Properties.Get string:interface string:property CDBusMessage message(destination, object, "org.freedesktop.DBus.Properties", "Get"); CVariant result; if (message.AppendArgument(interface) && message.AppendArgument(property)) { DBusMessage *reply = message.SendSystem(); if (reply) { DBusMessageIter iter; if (dbus_message_iter_init(reply, &iter)) { if (!dbus_message_has_signature(reply, "v")) CLog::Log(LOGERROR, "DBus: wrong signature on Get - should be \"v\" but was %s", dbus_message_iter_get_signature(&iter)); else result = ParseVariant(&iter); } } } else CLog::Log(LOGERROR, "DBus: append arguments failed"); return result; } CVariant CDBusUtil::GetAll(const char *destination, const char *object, const char *interface) { CDBusMessage message(destination, object, "org.freedesktop.DBus.Properties", "GetAll"); CVariant properties; message.AppendArgument(interface); DBusMessage *reply = message.SendSystem(); if (reply) { DBusMessageIter iter; if (dbus_message_iter_init(reply, &iter)) { if (!dbus_message_has_signature(reply, "a{sv}")) CLog::Log(LOGERROR, "DBus: wrong signature on GetAll - should be \"a{sv}\" but was %s", dbus_message_iter_get_signature(&iter)); else { do { DBusMessageIter sub; dbus_message_iter_recurse(&iter, &sub); do { DBusMessageIter dict; dbus_message_iter_recurse(&sub, &dict); do { const char * key = NULL; dbus_message_iter_get_basic(&dict, &key); dbus_message_iter_next(&dict); CVariant value = ParseVariant(&dict); if (!value.isNull()) properties[key] = value; } while (dbus_message_iter_next(&dict)); } while (dbus_message_iter_next(&sub)); } while (dbus_message_iter_next(&iter)); } } } return properties; } CVariant CDBusUtil::ParseVariant(DBusMessageIter *itr) { DBusMessageIter variant; dbus_message_iter_recurse(itr, &variant); return ParseType(&variant); } CVariant CDBusUtil::ParseType(DBusMessageIter *itr) { CVariant value; const char * string = NULL; dbus_int32_t int32 = 0; dbus_uint32_t uint32 = 0; dbus_int64_t int64 = 0; dbus_uint64_t uint64 = 0; dbus_bool_t boolean = false; double doublev = 0; int type = dbus_message_iter_get_arg_type(itr); switch (type) { case DBUS_TYPE_OBJECT_PATH: case DBUS_TYPE_STRING: dbus_message_iter_get_basic(itr, &string); value = string; break; case DBUS_TYPE_UINT32: dbus_message_iter_get_basic(itr, &uint32); value = (uint64_t)uint32; break; case DBUS_TYPE_BYTE: case DBUS_TYPE_INT32: dbus_message_iter_get_basic(itr, &int32); value = (int64_t)int32; break; case DBUS_TYPE_UINT64: dbus_message_iter_get_basic(itr, &uint64); value = (uint64_t)uint64; break; case DBUS_TYPE_INT64: dbus_message_iter_get_basic(itr, &int64); value = (int64_t)int64; break; case DBUS_TYPE_BOOLEAN: dbus_message_iter_get_basic(itr, &boolean); value = (bool)boolean; break; case DBUS_TYPE_DOUBLE: dbus_message_iter_get_basic(itr, &doublev); value = (double)doublev; break; case DBUS_TYPE_ARRAY: DBusMessageIter array; dbus_message_iter_recurse(itr, &array); value = CVariant::VariantTypeArray; do { CVariant item = ParseType(&array); if (!item.isNull()) value.push_back(item); } while (dbus_message_iter_next(&array)); break; } return value; } #endif
gpl-2.0
Gurgel100/gcc
gcc/testsuite/gfortran.dg/elemental_subroutine_2.f90
1761
! { dg-do run } ! Test the fix for pr22146, where and elemental subroutine with ! array actual arguments would cause an ICE in gfc_conv_function_call. ! This test checks that the main uses for elemental subroutines work ! correctly; namely, as module procedures and as procedures called ! from elemental functions. The compiler would ICE on the former with ! the first version of the patch. ! ! Contributed by Paul Thomas <[email protected]> module type type itype integer :: i character(1) :: ch end type itype end module type module assign interface assignment (=) module procedure itype_to_int end interface contains elemental subroutine itype_to_int (i, it) use type type(itype), intent(in) :: it integer, intent(out) :: i i = it%i end subroutine itype_to_int elemental function i_from_itype (it) result (i) use type type(itype), intent(in) :: it integer :: i i = it end function i_from_itype end module assign program test_assign use type use assign type(itype) :: x(2, 2) integer :: i(2, 2) ! Test an elemental subroutine call from an elementary function. x = reshape ((/(itype (j, "a"), j = 1,4)/), (/2,2/)) forall (j = 1:2, k = 1:2) i(j, k) = i_from_itype (x (j, k)) end forall if (any(reshape (i, (/4/)).ne.(/1,2,3,4/))) STOP 1 ! Check the interface assignment (not part of the patch). x = reshape ((/(itype (j**2, "b"), j = 1,4)/), (/2,2/)) i = x if (any(reshape (i, (/4/)).ne.(/1,4,9,16/))) STOP 2 ! Use the interface assignment within a forall block. x = reshape ((/(itype (j**3, "c"), j = 1,4)/), (/2,2/)) forall (j = 1:2, k = 1:2) i(j, k) = x (j, k) end forall if (any(reshape (i, (/4/)).ne.(/1,8,27,64/))) STOP 3 end program test_assign
gpl-2.0
janrinze/loox7xxport.loox2624
drivers/hwmon/abituguru3.c
39709
/* abituguru3.c Copyright (c) 2006 Hans de Goede <[email protected]> This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. */ /* This driver supports the sensor part of revision 3 of the custom Abit uGuru chip found on newer Abit uGuru motherboards. Note: because of lack of specs only reading the sensors and their settings is supported. */ #include <linux/module.h> #include <linux/init.h> #include <linux/slab.h> #include <linux/jiffies.h> #include <linux/mutex.h> #include <linux/err.h> #include <linux/delay.h> #include <linux/platform_device.h> #include <linux/hwmon.h> #include <linux/hwmon-sysfs.h> #include <asm/io.h> /* uGuru3 bank addresses */ #define ABIT_UGURU3_SETTINGS_BANK 0x01 #define ABIT_UGURU3_SENSORS_BANK 0x08 #define ABIT_UGURU3_MISC_BANK 0x09 #define ABIT_UGURU3_ALARMS_START 0x1E #define ABIT_UGURU3_SETTINGS_START 0x24 #define ABIT_UGURU3_VALUES_START 0x80 #define ABIT_UGURU3_BOARD_ID 0x0A /* uGuru3 sensor bank flags */ /* Alarm if: */ #define ABIT_UGURU3_TEMP_HIGH_ALARM_ENABLE 0x01 /* temp over warn */ #define ABIT_UGURU3_VOLT_HIGH_ALARM_ENABLE 0x02 /* volt over max */ #define ABIT_UGURU3_VOLT_LOW_ALARM_ENABLE 0x04 /* volt under min */ #define ABIT_UGURU3_TEMP_HIGH_ALARM_FLAG 0x10 /* temp is over warn */ #define ABIT_UGURU3_VOLT_HIGH_ALARM_FLAG 0x20 /* volt is over max */ #define ABIT_UGURU3_VOLT_LOW_ALARM_FLAG 0x40 /* volt is under min */ #define ABIT_UGURU3_FAN_LOW_ALARM_ENABLE 0x01 /* fan under min */ #define ABIT_UGURU3_BEEP_ENABLE 0x08 /* beep if alarm */ #define ABIT_UGURU3_SHUTDOWN_ENABLE 0x80 /* shutdown if alarm */ /* sensor types */ #define ABIT_UGURU3_IN_SENSOR 0 #define ABIT_UGURU3_TEMP_SENSOR 1 #define ABIT_UGURU3_FAN_SENSOR 2 /* Timeouts / Retries, if these turn out to need a lot of fiddling we could convert them to params. Determined by trial and error. I assume this is cpu-speed independent, since the ISA-bus and not the CPU should be the bottleneck. */ #define ABIT_UGURU3_WAIT_TIMEOUT 250 /* Normally the 0xAC at the end of synchronize() is reported after the first read, but sometimes not and we need to poll */ #define ABIT_UGURU3_SYNCHRONIZE_TIMEOUT 5 /* utility macros */ #define ABIT_UGURU3_NAME "abituguru3" #define ABIT_UGURU3_DEBUG(format, arg...) \ if (verbose) \ printk(KERN_DEBUG ABIT_UGURU3_NAME ": " format , ## arg) /* Macros to help calculate the sysfs_names array length */ #define ABIT_UGURU3_MAX_NO_SENSORS 26 /* sum of strlen +1 of: in??_input\0, in??_{min,max}\0, in??_{min,max}_alarm\0, in??_{min,max}_alarm_enable\0, in??_beep\0, in??_shutdown\0, in??_label\0 */ #define ABIT_UGURU3_IN_NAMES_LENGTH (11 + 2 * 9 + 2 * 15 + 2 * 22 + 10 + 14 + 11) /* sum of strlen +1 of: temp??_input\0, temp??_max\0, temp??_crit\0, temp??_alarm\0, temp??_alarm_enable\0, temp??_beep\0, temp??_shutdown\0, temp??_label\0 */ #define ABIT_UGURU3_TEMP_NAMES_LENGTH (13 + 11 + 12 + 13 + 20 + 12 + 16 + 13) /* sum of strlen +1 of: fan??_input\0, fan??_min\0, fan??_alarm\0, fan??_alarm_enable\0, fan??_beep\0, fan??_shutdown\0, fan??_label\0 */ #define ABIT_UGURU3_FAN_NAMES_LENGTH (12 + 10 + 12 + 19 + 11 + 15 + 12) /* Worst case scenario 16 in sensors (longest names_length) and the rest temp sensors (second longest names_length). */ #define ABIT_UGURU3_SYSFS_NAMES_LENGTH (16 * ABIT_UGURU3_IN_NAMES_LENGTH + \ (ABIT_UGURU3_MAX_NO_SENSORS - 16) * ABIT_UGURU3_TEMP_NAMES_LENGTH) /* All the macros below are named identical to the openguru2 program reverse engineered by Louis Kruger, hence the names might not be 100% logical. I could come up with better names, but I prefer keeping the names identical so that this driver can be compared with his work more easily. */ /* Two i/o-ports are used by uGuru */ #define ABIT_UGURU3_BASE 0x00E0 #define ABIT_UGURU3_CMD 0x00 #define ABIT_UGURU3_DATA 0x04 #define ABIT_UGURU3_REGION_LENGTH 5 /* The wait_xxx functions return this on success and the last contents of the DATA register (0-255) on failure. */ #define ABIT_UGURU3_SUCCESS -1 /* uGuru status flags */ #define ABIT_UGURU3_STATUS_READY_FOR_READ 0x01 #define ABIT_UGURU3_STATUS_BUSY 0x02 /* Structures */ struct abituguru3_sensor_info { const char* name; int port; int type; int multiplier; int divisor; int offset; }; struct abituguru3_motherboard_info { u16 id; const char *name; /* + 1 -> end of sensors indicated by a sensor with name == NULL */ struct abituguru3_sensor_info sensors[ABIT_UGURU3_MAX_NO_SENSORS + 1]; }; /* For the Abit uGuru, we need to keep some data in memory. The structure is dynamically allocated, at the same time when a new abituguru3 device is allocated. */ struct abituguru3_data { struct device *hwmon_dev; /* hwmon registered device */ struct mutex update_lock; /* protect access to data and uGuru */ unsigned short addr; /* uguru base address */ char valid; /* !=0 if following fields are valid */ unsigned long last_updated; /* In jiffies */ /* For convenience the sysfs attr and their names are generated automatically. We have max 10 entries per sensor (for in sensors) */ struct sensor_device_attribute_2 sysfs_attr[ABIT_UGURU3_MAX_NO_SENSORS * 10]; /* Buffer to store the dynamically generated sysfs names */ char sysfs_names[ABIT_UGURU3_SYSFS_NAMES_LENGTH]; /* Pointer to the sensors info for the detected motherboard */ const struct abituguru3_sensor_info *sensors; /* The abituguru3 supports upto 48 sensors, and thus has registers sets for 48 sensors, for convienence reasons / simplicity of the code we always read and store all registers for all 48 sensors */ /* Alarms for all 48 sensors (1 bit per sensor) */ u8 alarms[48/8]; /* Value of all 48 sensors */ u8 value[48]; /* Settings of all 48 sensors, note in and temp sensors (the first 32 sensors) have 3 bytes of settings, while fans only have 2 bytes, for convenience we use 3 bytes for all sensors */ u8 settings[48][3]; }; /* Constants */ static const struct abituguru3_motherboard_info abituguru3_motherboards[] = { { 0x000C, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS FAN", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 35, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x000D, "Abit AW8", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM1", 26, 1, 1, 1, 0 }, { "PWM2", 27, 1, 1, 1, 0 }, { "PWM3", 28, 1, 1, 1, 0 }, { "PWM4", 29, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 35, 2, 60, 1, 0 }, { "AUX2 Fan", 36, 2, 60, 1, 0 }, { "AUX3 Fan", 37, 2, 60, 1, 0 }, { "AUX4 Fan", 38, 2, 60, 1, 0 }, { "AUX5 Fan", 39, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x000E, "AL-8", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x000F, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0010, "Abit NI8 SLI GR", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "NB 1.4V", 4, 0, 10, 1, 0 }, { "SB 1.5V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "SYS", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 35, 2, 60, 1, 0 }, { "OTES1 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0011, "Abit AT8 32X", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 20, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VDDA 2.5V", 6, 0, 20, 1, 0 }, { "NB 1.8V", 4, 0, 10, 1, 0 }, { "NB 1.8V Dual", 5, 0, 10, 1, 0 }, { "HTV 1.2", 3, 0, 10, 1, 0 }, { "PCIE 1.2V", 12, 0, 10, 1, 0 }, { "NB 1.2V", 13, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "NB", 25, 1, 1, 1, 0 }, { "System", 26, 1, 1, 1, 0 }, { "PWM", 27, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 35, 2, 60, 1, 0 }, { "AUX2 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0012, "Abit AN8 32X", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 20, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "HyperTransport", 3, 0, 10, 1, 0 }, { "CPU VDDA 2.5V", 5, 0, 20, 1, 0 }, { "NB", 4, 0, 10, 1, 0 }, { "SB", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "SYS", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0013, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM1", 26, 1, 1, 1, 0 }, { "PWM2", 27, 1, 1, 1, 0 }, { "PWM3", 28, 1, 1, 1, 0 }, { "PWM4", 29, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 35, 2, 60, 1, 0 }, { "AUX2 Fan", 36, 2, 60, 1, 0 }, { "AUX3 Fan", 37, 2, 60, 1, 0 }, { "AUX4 Fan", 38, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0014, "Abit AB9 Pro", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 10, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0015, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR", 1, 0, 20, 1, 0 }, { "DDR VTT", 2, 0, 10, 1, 0 }, { "HyperTransport", 3, 0, 10, 1, 0 }, { "CPU VDDA 2.5V", 5, 0, 20, 1, 0 }, { "NB", 4, 0, 10, 1, 0 }, { "SB", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "SYS", 25, 1, 1, 1, 0 }, { "PWM", 26, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 33, 2, 60, 1, 0 }, { "AUX2 Fan", 35, 2, 60, 1, 0 }, { "AUX3 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0016, "AW9D-MAX", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR2", 1, 0, 20, 1, 0 }, { "DDR2 VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH & PCIE 1.5V", 4, 0, 10, 1, 0 }, { "MCH 2.5V", 5, 0, 20, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM1", 26, 1, 1, 1, 0 }, { "PWM2", 27, 1, 1, 1, 0 }, { "PWM3", 28, 1, 1, 1, 0 }, { "PWM4", 29, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "NB Fan", 33, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 35, 2, 60, 1, 0 }, { "AUX2 Fan", 36, 2, 60, 1, 0 }, { "AUX3 Fan", 37, 2, 60, 1, 0 }, { "OTES1 Fan", 38, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0017, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR2", 1, 0, 20, 1, 0 }, { "DDR2 VTT", 2, 0, 10, 1, 0 }, { "HyperTransport", 3, 0, 10, 1, 0 }, { "CPU VDDA 2.5V", 6, 0, 20, 1, 0 }, { "NB 1.8V", 4, 0, 10, 1, 0 }, { "NB 1.2V ", 13, 0, 10, 1, 0 }, { "SB 1.2V", 5, 0, 10, 1, 0 }, { "PCIE 1.2V", 12, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "ATX +3.3V", 10, 0, 20, 1, 0 }, { "ATX 5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 26, 1, 1, 1, 0 }, { "PWM", 27, 1, 1, 1, 0 }, { "CPU FAN", 32, 2, 60, 1, 0 }, { "SYS FAN", 34, 2, 60, 1, 0 }, { "AUX1 FAN", 35, 2, 60, 1, 0 }, { "AUX2 FAN", 36, 2, 60, 1, 0 }, { "AUX3 FAN", 37, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0018, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR2", 1, 0, 20, 1, 0 }, { "DDR2 VTT", 2, 0, 10, 1, 0 }, { "CPU VTT", 3, 0, 10, 1, 0 }, { "MCH 1.25V", 4, 0, 10, 1, 0 }, { "ICHIO 1.5V", 5, 0, 10, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM Phase1", 26, 1, 1, 1, 0 }, { "PWM Phase2", 27, 1, 1, 1, 0 }, { "PWM Phase3", 28, 1, 1, 1, 0 }, { "PWM Phase4", 29, 1, 1, 1, 0 }, { "PWM Phase5", 30, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 33, 2, 60, 1, 0 }, { "AUX2 Fan", 35, 2, 60, 1, 0 }, { "AUX3 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0019, "unknown", { { "CPU Core", 7, 0, 10, 1, 0 }, { "DDR2", 13, 0, 20, 1, 0 }, { "DDR2 VTT", 14, 0, 10, 1, 0 }, { "CPU VTT", 3, 0, 20, 1, 0 }, { "NB 1.2V ", 4, 0, 10, 1, 0 }, { "SB 1.5V", 6, 0, 10, 1, 0 }, { "HyperTransport", 5, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 12, 0, 60, 1, 0 }, { "ATX +12V (4-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "ATX +3.3V", 10, 0, 20, 1, 0 }, { "ATX 5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM Phase1", 26, 1, 1, 1, 0 }, { "PWM Phase2", 27, 1, 1, 1, 0 }, { "PWM Phase3", 28, 1, 1, 1, 0 }, { "PWM Phase4", 29, 1, 1, 1, 0 }, { "PWM Phase5", 30, 1, 1, 1, 0 }, { "CPU FAN", 32, 2, 60, 1, 0 }, { "SYS FAN", 34, 2, 60, 1, 0 }, { "AUX1 FAN", 33, 2, 60, 1, 0 }, { "AUX2 FAN", 35, 2, 60, 1, 0 }, { "AUX3 FAN", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x001A, "Abit IP35 Pro", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR2", 1, 0, 20, 1, 0 }, { "DDR2 VTT", 2, 0, 10, 1, 0 }, { "CPU VTT 1.2V", 3, 0, 10, 1, 0 }, { "MCH 1.25V", 4, 0, 10, 1, 0 }, { "ICHIO 1.5V", 5, 0, 10, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (8-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System ", 25, 1, 1, 1, 0 }, { "PWM ", 26, 1, 1, 1, 0 }, { "PWM Phase2", 27, 1, 1, 1, 0 }, { "PWM Phase3", 28, 1, 1, 1, 0 }, { "PWM Phase4", 29, 1, 1, 1, 0 }, { "PWM Phase5", 30, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 33, 2, 60, 1, 0 }, { "AUX2 Fan", 35, 2, 60, 1, 0 }, { "AUX3 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x001B, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR3", 1, 0, 20, 1, 0 }, { "DDR3 VTT", 2, 0, 10, 1, 0 }, { "CPU VTT", 3, 0, 10, 1, 0 }, { "MCH 1.25V", 4, 0, 10, 1, 0 }, { "ICHIO 1.5V", 5, 0, 10, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (8-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System", 25, 1, 1, 1, 0 }, { "PWM Phase1", 26, 1, 1, 1, 0 }, { "PWM Phase2", 27, 1, 1, 1, 0 }, { "PWM Phase3", 28, 1, 1, 1, 0 }, { "PWM Phase4", 29, 1, 1, 1, 0 }, { "PWM Phase5", 30, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 33, 2, 60, 1, 0 }, { "AUX2 Fan", 35, 2, 60, 1, 0 }, { "AUX3 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x001C, "unknown", { { "CPU Core", 0, 0, 10, 1, 0 }, { "DDR2", 1, 0, 20, 1, 0 }, { "DDR2 VTT", 2, 0, 10, 1, 0 }, { "CPU VTT", 3, 0, 10, 1, 0 }, { "MCH 1.25V", 4, 0, 10, 1, 0 }, { "ICHIO 1.5V", 5, 0, 10, 1, 0 }, { "ICH 1.05V", 6, 0, 10, 1, 0 }, { "ATX +12V (24-Pin)", 7, 0, 60, 1, 0 }, { "ATX +12V (8-pin)", 8, 0, 60, 1, 0 }, { "ATX +5V", 9, 0, 30, 1, 0 }, { "+3.3V", 10, 0, 20, 1, 0 }, { "5VSB", 11, 0, 30, 1, 0 }, { "CPU", 24, 1, 1, 1, 0 }, { "System", 25, 1, 1, 1, 0 }, { "PWM Phase1", 26, 1, 1, 1, 0 }, { "PWM Phase2", 27, 1, 1, 1, 0 }, { "PWM Phase3", 28, 1, 1, 1, 0 }, { "PWM Phase4", 29, 1, 1, 1, 0 }, { "PWM Phase5", 30, 1, 1, 1, 0 }, { "CPU Fan", 32, 2, 60, 1, 0 }, { "SYS Fan", 34, 2, 60, 1, 0 }, { "AUX1 Fan", 33, 2, 60, 1, 0 }, { "AUX2 Fan", 35, 2, 60, 1, 0 }, { "AUX3 Fan", 36, 2, 60, 1, 0 }, { NULL, 0, 0, 0, 0, 0 } } }, { 0x0000, NULL, { { NULL, 0, 0, 0, 0, 0 } } } }; /* Insmod parameters */ static int force; module_param(force, bool, 0); MODULE_PARM_DESC(force, "Set to one to force detection."); /* Default verbose is 1, since this driver is still in the testing phase */ static int verbose = 1; module_param(verbose, bool, 0644); MODULE_PARM_DESC(verbose, "Enable/disable verbose error reporting"); /* wait while the uguru is busy (usually after a write) */ static int abituguru3_wait_while_busy(struct abituguru3_data *data) { u8 x; int timeout = ABIT_UGURU3_WAIT_TIMEOUT; while ((x = inb_p(data->addr + ABIT_UGURU3_DATA)) & ABIT_UGURU3_STATUS_BUSY) { timeout--; if (timeout == 0) return x; /* sleep a bit before our last try, to give the uGuru3 one last chance to respond. */ if (timeout == 1) msleep(1); } return ABIT_UGURU3_SUCCESS; } /* wait till uguru is ready to be read */ static int abituguru3_wait_for_read(struct abituguru3_data *data) { u8 x; int timeout = ABIT_UGURU3_WAIT_TIMEOUT; while (!((x = inb_p(data->addr + ABIT_UGURU3_DATA)) & ABIT_UGURU3_STATUS_READY_FOR_READ)) { timeout--; if (timeout == 0) return x; /* sleep a bit before our last try, to give the uGuru3 one last chance to respond. */ if (timeout == 1) msleep(1); } return ABIT_UGURU3_SUCCESS; } /* This synchronizes us with the uGuru3's protocol state machine, this must be done before each command. */ static int abituguru3_synchronize(struct abituguru3_data *data) { int x, timeout = ABIT_UGURU3_SYNCHRONIZE_TIMEOUT; if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("synchronize timeout during initial busy " "wait, status: 0x%02x\n", x); return -EIO; } outb(0x20, data->addr + ABIT_UGURU3_DATA); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("synchronize timeout after sending 0x20, " "status: 0x%02x\n", x); return -EIO; } outb(0x10, data->addr + ABIT_UGURU3_CMD); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("synchronize timeout after sending 0x10, " "status: 0x%02x\n", x); return -EIO; } outb(0x00, data->addr + ABIT_UGURU3_CMD); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("synchronize timeout after sending 0x00, " "status: 0x%02x\n", x); return -EIO; } if ((x = abituguru3_wait_for_read(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("synchronize timeout waiting for read, " "status: 0x%02x\n", x); return -EIO; } while ((x = inb(data->addr + ABIT_UGURU3_CMD)) != 0xAC) { timeout--; if (timeout == 0) { ABIT_UGURU3_DEBUG("synchronize timeout cmd does not " "hold 0xAC after synchronize, cmd: 0x%02x\n", x); return -EIO; } msleep(1); } return 0; } /* Read count bytes from sensor sensor_addr in bank bank_addr and store the result in buf */ static int abituguru3_read(struct abituguru3_data *data, u8 bank, u8 offset, u8 count, u8 *buf) { int i, x; if ((x = abituguru3_synchronize(data))) return x; outb(0x1A, data->addr + ABIT_UGURU3_DATA); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("read from 0x%02x:0x%02x timed out after " "sending 0x1A, status: 0x%02x\n", (unsigned int)bank, (unsigned int)offset, x); return -EIO; } outb(bank, data->addr + ABIT_UGURU3_CMD); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("read from 0x%02x:0x%02x timed out after " "sending the bank, status: 0x%02x\n", (unsigned int)bank, (unsigned int)offset, x); return -EIO; } outb(offset, data->addr + ABIT_UGURU3_CMD); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("read from 0x%02x:0x%02x timed out after " "sending the offset, status: 0x%02x\n", (unsigned int)bank, (unsigned int)offset, x); return -EIO; } outb(count, data->addr + ABIT_UGURU3_CMD); if ((x = abituguru3_wait_while_busy(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("read from 0x%02x:0x%02x timed out after " "sending the count, status: 0x%02x\n", (unsigned int)bank, (unsigned int)offset, x); return -EIO; } for (i = 0; i < count; i++) { if ((x = abituguru3_wait_for_read(data)) != ABIT_UGURU3_SUCCESS) { ABIT_UGURU3_DEBUG("timeout reading byte %d from " "0x%02x:0x%02x, status: 0x%02x\n", i, (unsigned int)bank, (unsigned int)offset, x); break; } buf[i] = inb(data->addr + ABIT_UGURU3_CMD); } return i; } /* Sensor settings are stored 1 byte per offset with the bytes placed add consecutive offsets. */ static int abituguru3_read_increment_offset(struct abituguru3_data *data, u8 bank, u8 offset, u8 count, u8 *buf, int offset_count) { int i, x; for (i = 0; i < offset_count; i++) if ((x = abituguru3_read(data, bank, offset + i, count, buf + i * count)) != count) return i * count + (i && (x < 0)) ? 0 : x; return i * count; } /* Following are the sysfs callback functions. These functions expect: sensor_device_attribute_2->index: index into the data->sensors array sensor_device_attribute_2->nr: register offset, bitmask or NA. */ static struct abituguru3_data *abituguru3_update_device(struct device *dev); static ssize_t show_value(struct device *dev, struct device_attribute *devattr, char *buf) { int value; struct sensor_device_attribute_2 *attr = to_sensor_dev_attr_2(devattr); struct abituguru3_data *data = abituguru3_update_device(dev); const struct abituguru3_sensor_info *sensor; if (!data) return -EIO; sensor = &data->sensors[attr->index]; /* are we reading a setting, or is this a normal read? */ if (attr->nr) value = data->settings[sensor->port][attr->nr]; else value = data->value[sensor->port]; /* convert the value */ value = (value * sensor->multiplier) / sensor->divisor + sensor->offset; /* alternatively we could update the sensors settings struct for this, but then its contents would differ from the windows sw ini files */ if (sensor->type == ABIT_UGURU3_TEMP_SENSOR) value *= 1000; return sprintf(buf, "%d\n", value); } static ssize_t show_alarm(struct device *dev, struct device_attribute *devattr, char *buf) { int port; struct sensor_device_attribute_2 *attr = to_sensor_dev_attr_2(devattr); struct abituguru3_data *data = abituguru3_update_device(dev); if (!data) return -EIO; port = data->sensors[attr->index].port; /* See if the alarm bit for this sensor is set and if a bitmask is given in attr->nr also check if the alarm matches the type of alarm we're looking for (for volt it can be either low or high). The type is stored in a few readonly bits in the settings of the sensor. */ if ((data->alarms[port / 8] & (0x01 << (port % 8))) && (!attr->nr || (data->settings[port][0] & attr->nr))) return sprintf(buf, "1\n"); else return sprintf(buf, "0\n"); } static ssize_t show_mask(struct device *dev, struct device_attribute *devattr, char *buf) { struct sensor_device_attribute_2 *attr = to_sensor_dev_attr_2(devattr); struct abituguru3_data *data = dev_get_drvdata(dev); if (data->settings[data->sensors[attr->index].port][0] & attr->nr) return sprintf(buf, "1\n"); else return sprintf(buf, "0\n"); } static ssize_t show_label(struct device *dev, struct device_attribute *devattr, char *buf) { struct sensor_device_attribute_2 *attr = to_sensor_dev_attr_2(devattr); struct abituguru3_data *data = dev_get_drvdata(dev); return sprintf(buf, "%s\n", data->sensors[attr->index].name); } static ssize_t show_name(struct device *dev, struct device_attribute *devattr, char *buf) { return sprintf(buf, "%s\n", ABIT_UGURU3_NAME); } /* Sysfs attr templates, the real entries are generated automatically. */ static const struct sensor_device_attribute_2 abituguru3_sysfs_templ[3][10] = { { SENSOR_ATTR_2(in%d_input, 0444, show_value, NULL, 0, 0), SENSOR_ATTR_2(in%d_min, 0444, show_value, NULL, 1, 0), SENSOR_ATTR_2(in%d_max, 0444, show_value, NULL, 2, 0), SENSOR_ATTR_2(in%d_min_alarm, 0444, show_alarm, NULL, ABIT_UGURU3_VOLT_LOW_ALARM_FLAG, 0), SENSOR_ATTR_2(in%d_max_alarm, 0444, show_alarm, NULL, ABIT_UGURU3_VOLT_HIGH_ALARM_FLAG, 0), SENSOR_ATTR_2(in%d_beep, 0444, show_mask, NULL, ABIT_UGURU3_BEEP_ENABLE, 0), SENSOR_ATTR_2(in%d_shutdown, 0444, show_mask, NULL, ABIT_UGURU3_SHUTDOWN_ENABLE, 0), SENSOR_ATTR_2(in%d_min_alarm_enable, 0444, show_mask, NULL, ABIT_UGURU3_VOLT_LOW_ALARM_ENABLE, 0), SENSOR_ATTR_2(in%d_max_alarm_enable, 0444, show_mask, NULL, ABIT_UGURU3_VOLT_HIGH_ALARM_ENABLE, 0), SENSOR_ATTR_2(in%d_label, 0444, show_label, NULL, 0, 0) }, { SENSOR_ATTR_2(temp%d_input, 0444, show_value, NULL, 0, 0), SENSOR_ATTR_2(temp%d_max, 0444, show_value, NULL, 1, 0), SENSOR_ATTR_2(temp%d_crit, 0444, show_value, NULL, 2, 0), SENSOR_ATTR_2(temp%d_alarm, 0444, show_alarm, NULL, 0, 0), SENSOR_ATTR_2(temp%d_beep, 0444, show_mask, NULL, ABIT_UGURU3_BEEP_ENABLE, 0), SENSOR_ATTR_2(temp%d_shutdown, 0444, show_mask, NULL, ABIT_UGURU3_SHUTDOWN_ENABLE, 0), SENSOR_ATTR_2(temp%d_alarm_enable, 0444, show_mask, NULL, ABIT_UGURU3_TEMP_HIGH_ALARM_ENABLE, 0), SENSOR_ATTR_2(temp%d_label, 0444, show_label, NULL, 0, 0) }, { SENSOR_ATTR_2(fan%d_input, 0444, show_value, NULL, 0, 0), SENSOR_ATTR_2(fan%d_min, 0444, show_value, NULL, 1, 0), SENSOR_ATTR_2(fan%d_alarm, 0444, show_alarm, NULL, 0, 0), SENSOR_ATTR_2(fan%d_beep, 0444, show_mask, NULL, ABIT_UGURU3_BEEP_ENABLE, 0), SENSOR_ATTR_2(fan%d_shutdown, 0444, show_mask, NULL, ABIT_UGURU3_SHUTDOWN_ENABLE, 0), SENSOR_ATTR_2(fan%d_alarm_enable, 0444, show_mask, NULL, ABIT_UGURU3_FAN_LOW_ALARM_ENABLE, 0), SENSOR_ATTR_2(fan%d_label, 0444, show_label, NULL, 0, 0) } }; static struct sensor_device_attribute_2 abituguru3_sysfs_attr[] = { SENSOR_ATTR_2(name, 0444, show_name, NULL, 0, 0), }; static int __devinit abituguru3_probe(struct platform_device *pdev) { const int no_sysfs_attr[3] = { 10, 8, 7 }; int sensor_index[3] = { 0, 1, 1 }; struct abituguru3_data *data; int i, j, type, used, sysfs_names_free, sysfs_attr_i, res = -ENODEV; char *sysfs_filename; u8 buf[2]; u16 id; if (!(data = kzalloc(sizeof(struct abituguru3_data), GFP_KERNEL))) return -ENOMEM; data->addr = platform_get_resource(pdev, IORESOURCE_IO, 0)->start; mutex_init(&data->update_lock); platform_set_drvdata(pdev, data); /* Read the motherboard ID */ if ((i = abituguru3_read(data, ABIT_UGURU3_MISC_BANK, ABIT_UGURU3_BOARD_ID, 2, buf)) != 2) { goto abituguru3_probe_error; } /* Completely read the uGuru to see if one really is there */ if (!abituguru3_update_device(&pdev->dev)) goto abituguru3_probe_error; /* lookup the ID in our motherboard table */ id = ((u16)buf[0] << 8) | (u16)buf[1]; for (i = 0; abituguru3_motherboards[i].id; i++) if (abituguru3_motherboards[i].id == id) break; if (!abituguru3_motherboards[i].id) { printk(KERN_ERR ABIT_UGURU3_NAME ": error unknown motherboard " "ID: %04X. Please report this to the abituguru3 " "maintainer (see MAINTAINERS)\n", (unsigned int)id); goto abituguru3_probe_error; } data->sensors = abituguru3_motherboards[i].sensors; printk(KERN_INFO ABIT_UGURU3_NAME ": found Abit uGuru3, motherboard " "ID: %04X (%s)\n", (unsigned int)id, abituguru3_motherboards[i].name); /* Fill the sysfs attr array */ sysfs_attr_i = 0; sysfs_filename = data->sysfs_names; sysfs_names_free = ABIT_UGURU3_SYSFS_NAMES_LENGTH; for (i = 0; data->sensors[i].name; i++) { /* Fail safe check, this should never happen! */ if (i >= ABIT_UGURU3_MAX_NO_SENSORS) { printk(KERN_ERR ABIT_UGURU3_NAME ": Fatal error motherboard has more sensors " "then ABIT_UGURU3_MAX_NO_SENSORS. This should " "never happen please report to the abituguru3 " "maintainer (see MAINTAINERS)\n"); res = -ENAMETOOLONG; goto abituguru3_probe_error; } type = data->sensors[i].type; for (j = 0; j < no_sysfs_attr[type]; j++) { used = snprintf(sysfs_filename, sysfs_names_free, abituguru3_sysfs_templ[type][j].dev_attr.attr. name, sensor_index[type]) + 1; data->sysfs_attr[sysfs_attr_i] = abituguru3_sysfs_templ[type][j]; data->sysfs_attr[sysfs_attr_i].dev_attr.attr.name = sysfs_filename; data->sysfs_attr[sysfs_attr_i].index = i; sysfs_filename += used; sysfs_names_free -= used; sysfs_attr_i++; } sensor_index[type]++; } /* Fail safe check, this should never happen! */ if (sysfs_names_free < 0) { printk(KERN_ERR ABIT_UGURU3_NAME ": Fatal error ran out of space for sysfs attr names. " "This should never happen please report to the " "abituguru3 maintainer (see MAINTAINERS)\n"); res = -ENAMETOOLONG; goto abituguru3_probe_error; } /* Register sysfs hooks */ for (i = 0; i < sysfs_attr_i; i++) if (device_create_file(&pdev->dev, &data->sysfs_attr[i].dev_attr)) goto abituguru3_probe_error; for (i = 0; i < ARRAY_SIZE(abituguru3_sysfs_attr); i++) if (device_create_file(&pdev->dev, &abituguru3_sysfs_attr[i].dev_attr)) goto abituguru3_probe_error; data->hwmon_dev = hwmon_device_register(&pdev->dev); if (IS_ERR(data->hwmon_dev)) { res = PTR_ERR(data->hwmon_dev); goto abituguru3_probe_error; } return 0; /* success */ abituguru3_probe_error: for (i = 0; data->sysfs_attr[i].dev_attr.attr.name; i++) device_remove_file(&pdev->dev, &data->sysfs_attr[i].dev_attr); for (i = 0; i < ARRAY_SIZE(abituguru3_sysfs_attr); i++) device_remove_file(&pdev->dev, &abituguru3_sysfs_attr[i].dev_attr); kfree(data); return res; } static int __devexit abituguru3_remove(struct platform_device *pdev) { int i; struct abituguru3_data *data = platform_get_drvdata(pdev); platform_set_drvdata(pdev, NULL); hwmon_device_unregister(data->hwmon_dev); for (i = 0; data->sysfs_attr[i].dev_attr.attr.name; i++) device_remove_file(&pdev->dev, &data->sysfs_attr[i].dev_attr); for (i = 0; i < ARRAY_SIZE(abituguru3_sysfs_attr); i++) device_remove_file(&pdev->dev, &abituguru3_sysfs_attr[i].dev_attr); kfree(data); return 0; } static struct abituguru3_data *abituguru3_update_device(struct device *dev) { int i; struct abituguru3_data *data = dev_get_drvdata(dev); mutex_lock(&data->update_lock); if (!data->valid || time_after(jiffies, data->last_updated + HZ)) { /* Clear data->valid while updating */ data->valid = 0; /* Read alarms */ if (abituguru3_read_increment_offset(data, ABIT_UGURU3_SETTINGS_BANK, ABIT_UGURU3_ALARMS_START, 1, data->alarms, 48/8) != (48/8)) goto LEAVE_UPDATE; /* Read in and temp sensors (3 byte settings / sensor) */ for (i = 0; i < 32; i++) { if (abituguru3_read(data, ABIT_UGURU3_SENSORS_BANK, ABIT_UGURU3_VALUES_START + i, 1, &data->value[i]) != 1) goto LEAVE_UPDATE; if (abituguru3_read_increment_offset(data, ABIT_UGURU3_SETTINGS_BANK, ABIT_UGURU3_SETTINGS_START + i * 3, 1, data->settings[i], 3) != 3) goto LEAVE_UPDATE; } /* Read temp sensors (2 byte settings / sensor) */ for (i = 0; i < 16; i++) { if (abituguru3_read(data, ABIT_UGURU3_SENSORS_BANK, ABIT_UGURU3_VALUES_START + 32 + i, 1, &data->value[32 + i]) != 1) goto LEAVE_UPDATE; if (abituguru3_read_increment_offset(data, ABIT_UGURU3_SETTINGS_BANK, ABIT_UGURU3_SETTINGS_START + 32 * 3 + i * 2, 1, data->settings[32 + i], 2) != 2) goto LEAVE_UPDATE; } data->last_updated = jiffies; data->valid = 1; } LEAVE_UPDATE: mutex_unlock(&data->update_lock); if (data->valid) return data; else return NULL; } #ifdef CONFIG_PM static int abituguru3_suspend(struct platform_device *pdev, pm_message_t state) { struct abituguru3_data *data = platform_get_drvdata(pdev); /* make sure all communications with the uguru3 are done and no new ones are started */ mutex_lock(&data->update_lock); return 0; } static int abituguru3_resume(struct platform_device *pdev) { struct abituguru3_data *data = platform_get_drvdata(pdev); mutex_unlock(&data->update_lock); return 0; } #else #define abituguru3_suspend NULL #define abituguru3_resume NULL #endif /* CONFIG_PM */ static struct platform_driver abituguru3_driver = { .driver = { .owner = THIS_MODULE, .name = ABIT_UGURU3_NAME, }, .probe = abituguru3_probe, .remove = __devexit_p(abituguru3_remove), .suspend = abituguru3_suspend, .resume = abituguru3_resume }; static int __init abituguru3_detect(void) { /* See if there is an uguru3 there. An idle uGuru3 will hold 0x00 or 0x08 at DATA and 0xAC at CMD. Sometimes the uGuru3 will hold 0x05 at CMD instead, why is unknown. So we test for 0x05 too. */ u8 data_val = inb_p(ABIT_UGURU3_BASE + ABIT_UGURU3_DATA); u8 cmd_val = inb_p(ABIT_UGURU3_BASE + ABIT_UGURU3_CMD); if (((data_val == 0x00) || (data_val == 0x08)) && ((cmd_val == 0xAC) || (cmd_val == 0x05))) return ABIT_UGURU3_BASE; ABIT_UGURU3_DEBUG("no Abit uGuru3 found, data = 0x%02X, cmd = " "0x%02X\n", (unsigned int)data_val, (unsigned int)cmd_val); if (force) { printk(KERN_INFO ABIT_UGURU3_NAME ": Assuming Abit uGuru3 is " "present because of \"force\" parameter\n"); return ABIT_UGURU3_BASE; } /* No uGuru3 found */ return -ENODEV; } static struct platform_device *abituguru3_pdev; static int __init abituguru3_init(void) { int address, err; struct resource res = { .flags = IORESOURCE_IO }; address = abituguru3_detect(); if (address < 0) return address; err = platform_driver_register(&abituguru3_driver); if (err) goto exit; abituguru3_pdev = platform_device_alloc(ABIT_UGURU3_NAME, address); if (!abituguru3_pdev) { printk(KERN_ERR ABIT_UGURU3_NAME ": Device allocation failed\n"); err = -ENOMEM; goto exit_driver_unregister; } res.start = address; res.end = address + ABIT_UGURU3_REGION_LENGTH - 1; res.name = ABIT_UGURU3_NAME; err = platform_device_add_resources(abituguru3_pdev, &res, 1); if (err) { printk(KERN_ERR ABIT_UGURU3_NAME ": Device resource addition failed (%d)\n", err); goto exit_device_put; } err = platform_device_add(abituguru3_pdev); if (err) { printk(KERN_ERR ABIT_UGURU3_NAME ": Device addition failed (%d)\n", err); goto exit_device_put; } return 0; exit_device_put: platform_device_put(abituguru3_pdev); exit_driver_unregister: platform_driver_unregister(&abituguru3_driver); exit: return err; } static void __exit abituguru3_exit(void) { platform_device_unregister(abituguru3_pdev); platform_driver_unregister(&abituguru3_driver); } MODULE_AUTHOR("Hans de Goede <[email protected]>"); MODULE_DESCRIPTION("Abit uGuru3 Sensor device"); MODULE_LICENSE("GPL"); module_init(abituguru3_init); module_exit(abituguru3_exit);
gpl-2.0
kidmaple/CoolWall
user/pppd/pppd/plugins/rp-pppoe/common.c
13812
/*********************************************************************** * * common.c * * Implementation of user-space PPPoE redirector for Linux. * * Common functions used by PPPoE client and server * * Copyright (C) 2000 by Roaring Penguin Software Inc. * * This program may be distributed according to the terms of the GNU * General Public License, version 2 or (at your option) any later version. * ***********************************************************************/ static char const RCSID[] = "$Id: common.c,v 1.2 2004/01/13 04:03:58 paulus Exp $"; #include "pppoe.h" #ifdef HAVE_SYSLOG_H #include <syslog.h> #endif #include <string.h> #include <errno.h> #include <stdlib.h> #ifdef HAVE_UNISTD_H #include <unistd.h> #endif /********************************************************************** *%FUNCTION: parsePacket *%ARGUMENTS: * packet -- the PPPoE discovery packet to parse * func -- function called for each tag in the packet * extra -- an opaque data pointer supplied to parsing function *%RETURNS: * 0 if everything went well; -1 if there was an error *%DESCRIPTION: * Parses a PPPoE discovery packet, calling "func" for each tag in the packet. * "func" is passed the additional argument "extra". ***********************************************************************/ int parsePacket(PPPoEPacket *packet, ParseFunc *func, void *extra) { UINT16_t len = ntohs(packet->length); unsigned char *curTag; UINT16_t tagType, tagLen; if (packet->ver != 1) { syslog(LOG_ERR, "Invalid PPPoE version (%d)", (int) packet->ver); return -1; } if (packet->type != 1) { syslog(LOG_ERR, "Invalid PPPoE type (%d)", (int) packet->type); return -1; } /* Do some sanity checks on packet */ if (len > ETH_DATA_LEN - 6) { /* 6-byte overhead for PPPoE header */ syslog(LOG_ERR, "Invalid PPPoE packet length (%u)", len); return -1; } /* Step through the tags */ curTag = packet->payload; while(curTag - packet->payload < len) { /* Alignment is not guaranteed, so do this by hand... */ tagType = (((UINT16_t) curTag[0]) << 8) + (UINT16_t) curTag[1]; tagLen = (((UINT16_t) curTag[2]) << 8) + (UINT16_t) curTag[3]; if (tagType == TAG_END_OF_LIST) { return 0; } if ((curTag - packet->payload) + tagLen + TAG_HDR_SIZE > len) { syslog(LOG_ERR, "Invalid PPPoE tag length (%u)", tagLen); return -1; } func(tagType, tagLen, curTag+TAG_HDR_SIZE, extra); curTag = curTag + TAG_HDR_SIZE + tagLen; } return 0; } /********************************************************************** *%FUNCTION: findTag *%ARGUMENTS: * packet -- the PPPoE discovery packet to parse * type -- the type of the tag to look for * tag -- will be filled in with tag contents *%RETURNS: * A pointer to the tag if one of the specified type is found; NULL * otherwise. *%DESCRIPTION: * Looks for a specific tag type. ***********************************************************************/ unsigned char * findTag(PPPoEPacket *packet, UINT16_t type, PPPoETag *tag) { UINT16_t len = ntohs(packet->length); unsigned char *curTag; UINT16_t tagType, tagLen; if (packet->ver != 1) { syslog(LOG_ERR, "Invalid PPPoE version (%d)", (int) packet->ver); return NULL; } if (packet->type != 1) { syslog(LOG_ERR, "Invalid PPPoE type (%d)", (int) packet->type); return NULL; } /* Do some sanity checks on packet */ if (len > ETH_DATA_LEN - 6) { /* 6-byte overhead for PPPoE header */ syslog(LOG_ERR, "Invalid PPPoE packet length (%u)", len); return NULL; } /* Step through the tags */ curTag = packet->payload; while(curTag - packet->payload < len) { /* Alignment is not guaranteed, so do this by hand... */ tagType = (((UINT16_t) curTag[0]) << 8) + (UINT16_t) curTag[1]; tagLen = (((UINT16_t) curTag[2]) << 8) + (UINT16_t) curTag[3]; if (tagType == TAG_END_OF_LIST) { return NULL; } if ((curTag - packet->payload) + tagLen + TAG_HDR_SIZE > len) { syslog(LOG_ERR, "Invalid PPPoE tag length (%u)", tagLen); return NULL; } if (tagType == type) { memcpy(tag, curTag, tagLen + TAG_HDR_SIZE); return curTag; } curTag = curTag + TAG_HDR_SIZE + tagLen; } return NULL; } /********************************************************************** *%FUNCTION: printErr *%ARGUMENTS: * str -- error message *%RETURNS: * Nothing *%DESCRIPTION: * Prints a message to stderr and syslog. ***********************************************************************/ void printErr(char const *str) { fprintf(stderr, "pppoe: %s\n", str); syslog(LOG_ERR, "%s", str); } /********************************************************************** *%FUNCTION: strDup *%ARGUMENTS: * str -- string to copy *%RETURNS: * A malloc'd copy of str. Exits if malloc fails. ***********************************************************************/ char * strDup(char const *str) { char *copy = malloc(strlen(str)+1); if (!copy) { rp_fatal("strdup failed"); } strcpy(copy, str); return copy; } #ifdef PPPOE_STANDALONE /********************************************************************** *%FUNCTION: computeTCPChecksum *%ARGUMENTS: * ipHdr -- pointer to IP header * tcpHdr -- pointer to TCP header *%RETURNS: * The computed TCP checksum ***********************************************************************/ UINT16_t computeTCPChecksum(unsigned char *ipHdr, unsigned char *tcpHdr) { UINT32_t sum = 0; UINT16_t count = ipHdr[2] * 256 + ipHdr[3]; unsigned char *addr = tcpHdr; unsigned char pseudoHeader[12]; /* Count number of bytes in TCP header and data */ count -= (ipHdr[0] & 0x0F) * 4; memcpy(pseudoHeader, ipHdr+12, 8); pseudoHeader[8] = 0; pseudoHeader[9] = ipHdr[9]; pseudoHeader[10] = (count >> 8) & 0xFF; pseudoHeader[11] = (count & 0xFF); /* Checksum the pseudo-header */ sum += * (UINT16_t *) pseudoHeader; sum += * ((UINT16_t *) (pseudoHeader+2)); sum += * ((UINT16_t *) (pseudoHeader+4)); sum += * ((UINT16_t *) (pseudoHeader+6)); sum += * ((UINT16_t *) (pseudoHeader+8)); sum += * ((UINT16_t *) (pseudoHeader+10)); /* Checksum the TCP header and data */ while (count > 1) { sum += * (UINT16_t *) addr; addr += 2; count -= 2; } if (count > 0) { sum += *addr; } while(sum >> 16) { sum = (sum & 0xffff) + (sum >> 16); } return (UINT16_t) (~sum & 0xFFFF); } /********************************************************************** *%FUNCTION: clampMSS *%ARGUMENTS: * packet -- PPPoE session packet * dir -- either "incoming" or "outgoing" * clampMss -- clamp value *%RETURNS: * Nothing *%DESCRIPTION: * Clamps MSS option if TCP SYN flag is set. ***********************************************************************/ void clampMSS(PPPoEPacket *packet, char const *dir, int clampMss) { unsigned char *tcpHdr; unsigned char *ipHdr; unsigned char *opt; unsigned char *endHdr; unsigned char *mssopt = NULL; UINT16_t csum; int len, minlen; /* check PPP protocol type */ if (packet->payload[0] & 0x01) { /* 8 bit protocol type */ /* Is it IPv4? */ if (packet->payload[0] != 0x21) { /* Nope, ignore it */ return; } ipHdr = packet->payload + 1; minlen = 41; } else { /* 16 bit protocol type */ /* Is it IPv4? */ if (packet->payload[0] != 0x00 || packet->payload[1] != 0x21) { /* Nope, ignore it */ return; } ipHdr = packet->payload + 2; minlen = 42; } /* Is it too short? */ len = (int) ntohs(packet->length); if (len < minlen) { /* 20 byte IP header; 20 byte TCP header; at least 1 or 2 byte PPP protocol */ return; } /* Verify once more that it's IPv4 */ if ((ipHdr[0] & 0xF0) != 0x40) { return; } /* Is it a fragment that's not at the beginning of the packet? */ if ((ipHdr[6] & 0x1F) || ipHdr[7]) { /* Yup, don't touch! */ return; } /* Is it TCP? */ if (ipHdr[9] != 0x06) { return; } /* Get start of TCP header */ tcpHdr = ipHdr + (ipHdr[0] & 0x0F) * 4; /* Is SYN set? */ if (!(tcpHdr[13] & 0x02)) { return; } /* Compute and verify TCP checksum -- do not touch a packet with a bad checksum */ csum = computeTCPChecksum(ipHdr, tcpHdr); if (csum) { syslog(LOG_ERR, "Bad TCP checksum %x", (unsigned int) csum); /* Upper layers will drop it */ return; } /* Look for existing MSS option */ endHdr = tcpHdr + ((tcpHdr[12] & 0xF0) >> 2); opt = tcpHdr + 20; while (opt < endHdr) { if (!*opt) break; /* End of options */ switch(*opt) { case 1: opt++; break; case 2: if (opt[1] != 4) { /* Something fishy about MSS option length. */ syslog(LOG_ERR, "Bogus length for MSS option (%u) from %u.%u.%u.%u", (unsigned int) opt[1], (unsigned int) ipHdr[12], (unsigned int) ipHdr[13], (unsigned int) ipHdr[14], (unsigned int) ipHdr[15]); return; } mssopt = opt; break; default: if (opt[1] < 2) { /* Someone's trying to attack us? */ syslog(LOG_ERR, "Bogus TCP option length (%u) from %u.%u.%u.%u", (unsigned int) opt[1], (unsigned int) ipHdr[12], (unsigned int) ipHdr[13], (unsigned int) ipHdr[14], (unsigned int) ipHdr[15]); return; } opt += (opt[1]); break; } /* Found existing MSS option? */ if (mssopt) break; } /* If MSS exists and it's low enough, do nothing */ if (mssopt) { unsigned mss = mssopt[2] * 256 + mssopt[3]; if (mss <= clampMss) { return; } mssopt[2] = (((unsigned) clampMss) >> 8) & 0xFF; mssopt[3] = ((unsigned) clampMss) & 0xFF; } else { /* No MSS option. Don't add one; we'll have to use 536. */ return; } /* Recompute TCP checksum */ tcpHdr[16] = 0; tcpHdr[17] = 0; csum = computeTCPChecksum(ipHdr, tcpHdr); (* (UINT16_t *) (tcpHdr+16)) = csum; } #endif /* PPPOE_STANDALONE */ /*********************************************************************** *%FUNCTION: sendPADT *%ARGUMENTS: * conn -- PPPoE connection * msg -- if non-NULL, extra error message to include in PADT packet. *%RETURNS: * Nothing *%DESCRIPTION: * Sends a PADT packet ***********************************************************************/ void sendPADT(PPPoEConnection *conn, char const *msg) { PPPoEPacket packet; unsigned char *cursor = packet.payload; UINT16_t plen = 0; /* Do nothing if no session established yet */ if (!conn->session) return; /* Do nothing if no discovery socket */ if (conn->discoverySocket < 0) return; memcpy(packet.ethHdr.h_dest, conn->peerEth, ETH_ALEN); memcpy(packet.ethHdr.h_source, conn->myEth, ETH_ALEN); packet.ethHdr.h_proto = htons(Eth_PPPOE_Discovery); packet.ver = 1; packet.type = 1; packet.code = CODE_PADT; packet.session = conn->session; /* Reset Session to zero so there is no possibility of recursive calls to this function by any signal handler */ conn->session = 0; /* If we're using Host-Uniq, copy it over */ if (conn->useHostUniq) { PPPoETag hostUniq; pid_t pid = getpid(); hostUniq.type = htons(TAG_HOST_UNIQ); hostUniq.length = htons(sizeof(pid)); memcpy(hostUniq.payload, &pid, sizeof(pid)); memcpy(cursor, &hostUniq, sizeof(pid) + TAG_HDR_SIZE); cursor += sizeof(pid) + TAG_HDR_SIZE; plen += sizeof(pid) + TAG_HDR_SIZE; } /* Copy error message */ if (msg) { PPPoETag err; size_t elen = strlen(msg); err.type = htons(TAG_GENERIC_ERROR); err.length = htons(elen); strcpy(err.payload, msg); memcpy(cursor, &err, elen + TAG_HDR_SIZE); cursor += elen + TAG_HDR_SIZE; plen += elen + TAG_HDR_SIZE; } /* Copy cookie and relay-ID if needed */ if (conn->cookie.type) { CHECK_ROOM(cursor, packet.payload, ntohs(conn->cookie.length) + TAG_HDR_SIZE); memcpy(cursor, &conn->cookie, ntohs(conn->cookie.length) + TAG_HDR_SIZE); cursor += ntohs(conn->cookie.length) + TAG_HDR_SIZE; plen += ntohs(conn->cookie.length) + TAG_HDR_SIZE; } if (conn->relayId.type) { CHECK_ROOM(cursor, packet.payload, ntohs(conn->relayId.length) + TAG_HDR_SIZE); memcpy(cursor, &conn->relayId, ntohs(conn->relayId.length) + TAG_HDR_SIZE); cursor += ntohs(conn->relayId.length) + TAG_HDR_SIZE; plen += ntohs(conn->relayId.length) + TAG_HDR_SIZE; } packet.length = htons(plen); sendPacket(conn, conn->discoverySocket, &packet, (int) (plen + HDR_SIZE)); if (conn->debugFile) { dumpPacket(conn->debugFile, &packet, "SENT"); fprintf(conn->debugFile, "\n"); fflush(conn->debugFile); } syslog(LOG_INFO,"Sent PADT"); } /********************************************************************** *%FUNCTION: parseLogErrs *%ARGUMENTS: * type -- tag type * len -- tag length * data -- tag data * extra -- extra user data *%RETURNS: * Nothing *%DESCRIPTION: * Picks error tags out of a packet and logs them. ***********************************************************************/ void parseLogErrs(UINT16_t type, UINT16_t len, unsigned char *data, void *extra) { switch(type) { case TAG_SERVICE_NAME_ERROR: syslog(LOG_ERR, "PADT: Service-Name-Error: %.*s", (int) len, data); fprintf(stderr, "PADT: Service-Name-Error: %.*s\n", (int) len, data); break; case TAG_AC_SYSTEM_ERROR: syslog(LOG_ERR, "PADT: System-Error: %.*s", (int) len, data); fprintf(stderr, "PADT: System-Error: %.*s\n", (int) len, data); break; case TAG_GENERIC_ERROR: syslog(LOG_ERR, "PADT: Generic-Error: %.*s", (int) len, data); fprintf(stderr, "PADT: Generic-Error: %.*s\n", (int) len, data); break; } }
gpl-2.0
slfl/HUAWEI89_WE_KK_700
bootable/bootloader/lk/app/nandwrite/nandwrite.c
5822
/* * Copyright (C) 2008 The Android Open Source Project * All rights reserved. * Copyright (c) 2009, Code Aurora Forum. All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in * the documentation and/or other materials provided with the * distribution. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS * FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE * COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, * BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS * OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, * OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT * OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF * SUCH DAMAGE. */ #include <app.h> #include <debug.h> #include <lib/ptable.h> #include <malloc.h> #include <dev/flash.h> #include <string.h> #include <jtag.h> #include <kernel/thread.h> #include <smem.h> #include <platform.h> #include "bootimg.h" #define FLASH_PAGE_SIZE 2048 #define FLASH_PAGE_BITS 11 unsigned page_size = 0; unsigned page_mask = 0; static unsigned load_addr = 0xffffffff; #define ROUND_TO_PAGE(x,y) (((x) + (y)) & (~(y))) void acpu_clock_init(void); int startswith(const char *str, const char *prefix) { while(*prefix){ if (*prefix++ != *str++) return 0; } return 1; } /* XXX */ void verify_flash(struct ptentry *p, void *addr, unsigned len, int extra) { uint32_t offset = 0; void *buf = malloc(FLASH_PAGE_SIZE + extra); int verify_extra = extra; if(verify_extra > 4) verify_extra = 16; while(len > 0) { flash_read_ext(p, extra, offset, buf, FLASH_PAGE_SIZE); if(memcmp(addr, buf, FLASH_PAGE_SIZE + verify_extra)) { dprintf(CRITICAL, "verify failed at 0x%08x\n", offset); jtag_fail("verify failed"); return; } offset += FLASH_PAGE_SIZE; addr += FLASH_PAGE_SIZE; len -= FLASH_PAGE_SIZE; if(extra) { addr += extra; len -= extra; } } dprintf(INFO, "verify done %d extra bytes\n", verify_extra); jtag_okay("verify done"); } void handle_flash(const char *name, unsigned addr, unsigned sz) { struct ptentry *ptn; struct ptable *ptable; void *data = (void *) addr; unsigned extra = 0; ptable = flash_get_ptable(); if (ptable == NULL) { jtag_fail("partition table doesn't exist"); return; } ptn = ptable_find(ptable, name); if (ptn == NULL) { jtag_fail("unknown partition name"); return; } if (!strcmp(ptn->name, "boot") || !strcmp(ptn->name, "recovery")) { if (memcmp((void *)data, BOOT_MAGIC, BOOT_MAGIC_SIZE)) { jtag_fail("image is not a boot image"); return; } } if (!strcmp(ptn->name, "system") || !strcmp(ptn->name, "userdata") || !strcmp(ptn->name, "persist")) extra = ((page_size >> 9) * 16); else sz = ROUND_TO_PAGE(sz, page_mask); data = (void *)target_get_scratch_address(); dprintf(INFO, "writing %d bytes to '%s'\n", sz, ptn->name); if (flash_write(ptn, extra, data, sz)) { jtag_fail("flash write failure"); return; } dprintf(INFO, "partition '%s' updated\n", ptn->name); jtag_okay("Done"); enter_critical_section(); platform_uninit_timer(); arch_disable_cache(UCACHE); arch_disable_mmu(); } static unsigned char *tmpbuf = 0; /*XXX*/ void handle_dump(const char *name, unsigned offset) { struct ptentry *p; struct ptable *ptable; if(tmpbuf == 0) { tmpbuf = malloc(4096); } dprintf(INFO, "dump '%s' partition\n", name); ptable = flash_get_ptable(); if (ptable == NULL) { jtag_fail("partition table doesn't exist"); return; } p = ptable_find(ptable, name); if(p == 0) { jtag_fail("partition not found"); return; } else { #if 0 /* XXX reimpl */ if(flash_read_page(p->start * 64, tmpbuf, tmpbuf + 2048)){ jtag_fail("flash_read() failed"); return; } #endif dprintf(INFO, "page %d data:\n", p->start * 64); hexdump(tmpbuf, 256); dprintf(INFO, "page %d extra:\n", p->start * 64); hexdump(tmpbuf, 16); jtag_okay("done"); enter_critical_section(); platform_uninit_timer(); arch_disable_cache(UCACHE); arch_disable_mmu(); } } void handle_query_load_address(unsigned addr) { unsigned *return_addr = (unsigned *)addr; if (return_addr) *return_addr = target_get_scratch_address(); jtag_okay("done"); } void handle_command(const char *cmd, unsigned a0, unsigned a1, unsigned a2) { if(startswith(cmd,"flash:")){ handle_flash(cmd + 6, a0, a1); return; } if(startswith(cmd,"dump:")){ handle_dump(cmd + 5, a0); return; } if(startswith(cmd,"loadaddr:")){ handle_query_load_address(a0); return; } jtag_fail("unknown command"); } void nandwrite_init(void) { page_size = flash_page_size(); page_mask = page_size - 1; jtag_cmd_loop(handle_command); }
gpl-3.0
KernelAnalysisPlatform/KlareDbg
tracers/qemu/decaf/shared/sleuthkit/framework/modules/c_LibExifModule/libexif-0.6.20/libexif/exif-entry.c
51660
/* exif-entry.c * * Copyright (c) 2001 Lutz Mueller <[email protected]> * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU Lesser General Public * License as published by the Free Software Foundation; either * version 2 of the License, or (at your option) any later version. * * This library is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU * Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public * License along with this library; if not, write to the * Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, * Boston, MA 02110-1301 USA. */ #include <config.h> #include <libexif/exif-entry.h> #include <libexif/exif-ifd.h> #include <libexif/exif-utils.h> #include <libexif/i18n.h> #include <ctype.h> #include <stdlib.h> #include <stdio.h> #include <string.h> #include <time.h> #include <math.h> #ifndef M_PI #define M_PI 3.14159265358979323846 #endif struct _ExifEntryPrivate { unsigned int ref_count; ExifMem *mem; }; /* This function is hidden in exif-data.c */ ExifLog *exif_data_get_log (ExifData *); #ifndef NO_VERBOSE_TAG_STRINGS static void exif_entry_log (ExifEntry *e, ExifLogCode code, const char *format, ...) { va_list args; ExifLog *l = NULL; if (e && e->parent && e->parent->parent) l = exif_data_get_log (e->parent->parent); va_start (args, format); exif_logv (l, code, "ExifEntry", format, args); va_end (args); } #else #if defined(__STDC_VERSION__) && __STDC_VERSION__ >= 199901L #define exif_entry_log(...) do { } while (0) #elif defined(__GNUC__) #define exif_entry_log(x...) do { } while (0) #else #define exif_entry_log (void) #endif #endif static void * exif_entry_alloc (ExifEntry *e, unsigned int i) { void *d; ExifLog *l = NULL; if (!e || !e->priv || !i) return NULL; d = exif_mem_alloc (e->priv->mem, i); if (d) return d; if (e->parent && e->parent->parent) l = exif_data_get_log (e->parent->parent); EXIF_LOG_NO_MEMORY (l, "ExifEntry", i); return NULL; } static void * exif_entry_realloc (ExifEntry *e, void *d_orig, unsigned int i) { void *d; ExifLog *l = NULL; if (!e || !e->priv) return NULL; if (!i) { exif_mem_free (e->priv->mem, d_orig); return NULL; } d = exif_mem_realloc (e->priv->mem, d_orig, i); if (d) return d; if (e->parent && e->parent->parent) l = exif_data_get_log (e->parent->parent); EXIF_LOG_NO_MEMORY (l, "ExifEntry", i); return NULL; } ExifEntry * exif_entry_new (void) { ExifMem *mem = exif_mem_new_default (); ExifEntry *e = exif_entry_new_mem (mem); exif_mem_unref (mem); return e; } ExifEntry * exif_entry_new_mem (ExifMem *mem) { ExifEntry *e = NULL; e = exif_mem_alloc (mem, sizeof (ExifEntry)); if (!e) return NULL; e->priv = exif_mem_alloc (mem, sizeof (ExifEntryPrivate)); if (!e->priv) { exif_mem_free (mem, e); return NULL; } e->priv->ref_count = 1; e->priv->mem = mem; exif_mem_ref (mem); return e; } void exif_entry_ref (ExifEntry *e) { if (!e) return; e->priv->ref_count++; } void exif_entry_unref (ExifEntry *e) { if (!e) return; e->priv->ref_count--; if (!e->priv->ref_count) exif_entry_free (e); } void exif_entry_free (ExifEntry *e) { if (!e) return; if (e->priv) { ExifMem *mem = e->priv->mem; if (e->data) exif_mem_free (mem, e->data); exif_mem_free (mem, e->priv); exif_mem_free (mem, e); exif_mem_unref (mem); } } /*! Get a value and convert it to an ExifShort. * \bug Not all types are converted that could be converted and no indication * is made when that occurs */ static inline ExifShort exif_get_short_convert (const unsigned char *buf, ExifFormat format, ExifByteOrder order) { switch (format) { case EXIF_FORMAT_LONG: return (ExifShort) exif_get_long (buf, order); case EXIF_FORMAT_SLONG: return (ExifShort) exif_get_slong (buf, order); case EXIF_FORMAT_SHORT: return (ExifShort) exif_get_short (buf, order); case EXIF_FORMAT_SSHORT: return (ExifShort) exif_get_sshort (buf, order); case EXIF_FORMAT_BYTE: case EXIF_FORMAT_SBYTE: return (ExifShort) buf[0]; default: /* Unsupported type */ return (ExifShort) 0; } } void exif_entry_fix (ExifEntry *e) { unsigned int i, newsize; unsigned char *newdata; ExifByteOrder o; ExifRational r; ExifSRational sr; if (!e || !e->priv) return; switch (e->tag) { /* These tags all need to be of format SHORT. */ case EXIF_TAG_YCBCR_SUB_SAMPLING: case EXIF_TAG_SUBJECT_AREA: case EXIF_TAG_COLOR_SPACE: case EXIF_TAG_PLANAR_CONFIGURATION: case EXIF_TAG_SENSING_METHOD: case EXIF_TAG_ORIENTATION: case EXIF_TAG_YCBCR_POSITIONING: case EXIF_TAG_PHOTOMETRIC_INTERPRETATION: case EXIF_TAG_CUSTOM_RENDERED: case EXIF_TAG_EXPOSURE_MODE: case EXIF_TAG_WHITE_BALANCE: case EXIF_TAG_SCENE_CAPTURE_TYPE: case EXIF_TAG_GAIN_CONTROL: case EXIF_TAG_SATURATION: case EXIF_TAG_CONTRAST: case EXIF_TAG_SHARPNESS: case EXIF_TAG_ISO_SPEED_RATINGS: switch (e->format) { case EXIF_FORMAT_LONG: case EXIF_FORMAT_SLONG: case EXIF_FORMAT_BYTE: case EXIF_FORMAT_SBYTE: case EXIF_FORMAT_SSHORT: if (!e->parent || !e->parent->parent) break; exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag '%s' was of format '%s' (which is " "against specification) and has been " "changed to format '%s'."), exif_tag_get_name_in_ifd(e->tag, exif_entry_get_ifd(e)), exif_format_get_name (e->format), exif_format_get_name (EXIF_FORMAT_SHORT)); o = exif_data_get_byte_order (e->parent->parent); newsize = e->components * exif_format_get_size (EXIF_FORMAT_SHORT); newdata = exif_entry_alloc (e, newsize); if (!newdata) { exif_entry_log (e, EXIF_LOG_CODE_NO_MEMORY, "Could not allocate %lu byte(s).", (unsigned long)newsize); break; } for (i = 0; i < e->components; i++) exif_set_short ( newdata + i * exif_format_get_size ( EXIF_FORMAT_SHORT), o, exif_get_short_convert ( e->data + i * exif_format_get_size (e->format), e->format, o)); exif_mem_free (e->priv->mem, e->data); e->data = newdata; e->size = newsize; e->format = EXIF_FORMAT_SHORT; break; case EXIF_FORMAT_SHORT: /* No conversion necessary */ break; default: exif_entry_log (e, EXIF_LOG_CODE_CORRUPT_DATA, _("Tag '%s' is of format '%s' (which is " "against specification) but cannot be changed " "to format '%s'."), exif_tag_get_name_in_ifd(e->tag, exif_entry_get_ifd(e)), exif_format_get_name (e->format), exif_format_get_name (EXIF_FORMAT_SHORT)); break; } break; /* All these tags need to be of format 'Rational'. */ case EXIF_TAG_FNUMBER: case EXIF_TAG_APERTURE_VALUE: case EXIF_TAG_EXPOSURE_TIME: case EXIF_TAG_FOCAL_LENGTH: switch (e->format) { case EXIF_FORMAT_SRATIONAL: if (!e->parent || !e->parent->parent) break; o = exif_data_get_byte_order (e->parent->parent); for (i = 0; i < e->components; i++) { sr = exif_get_srational (e->data + i * exif_format_get_size ( EXIF_FORMAT_SRATIONAL), o); r.numerator = (ExifLong) sr.numerator; r.denominator = (ExifLong) sr.denominator; exif_set_rational (e->data + i * exif_format_get_size ( EXIF_FORMAT_RATIONAL), o, r); } e->format = EXIF_FORMAT_RATIONAL; exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag '%s' was of format '%s' (which is " "against specification) and has been " "changed to format '%s'."), exif_tag_get_name_in_ifd(e->tag, exif_entry_get_ifd(e)), exif_format_get_name (EXIF_FORMAT_SRATIONAL), exif_format_get_name (EXIF_FORMAT_RATIONAL)); break; default: break; } break; /* All these tags need to be of format 'SRational'. */ case EXIF_TAG_EXPOSURE_BIAS_VALUE: case EXIF_TAG_BRIGHTNESS_VALUE: case EXIF_TAG_SHUTTER_SPEED_VALUE: switch (e->format) { case EXIF_FORMAT_RATIONAL: if (!e->parent || !e->parent->parent) break; o = exif_data_get_byte_order (e->parent->parent); for (i = 0; i < e->components; i++) { r = exif_get_rational (e->data + i * exif_format_get_size ( EXIF_FORMAT_RATIONAL), o); sr.numerator = (ExifLong) r.numerator; sr.denominator = (ExifLong) r.denominator; exif_set_srational (e->data + i * exif_format_get_size ( EXIF_FORMAT_SRATIONAL), o, sr); } e->format = EXIF_FORMAT_SRATIONAL; exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag '%s' was of format '%s' (which is " "against specification) and has been " "changed to format '%s'."), exif_tag_get_name_in_ifd(e->tag, exif_entry_get_ifd(e)), exif_format_get_name (EXIF_FORMAT_RATIONAL), exif_format_get_name (EXIF_FORMAT_SRATIONAL)); break; default: break; } break; case EXIF_TAG_USER_COMMENT: /* Format needs to be UNDEFINED. */ if (e->format != EXIF_FORMAT_UNDEFINED) { exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag 'UserComment' had invalid format '%s'. " "Format has been set to 'undefined'."), exif_format_get_name (e->format)); e->format = EXIF_FORMAT_UNDEFINED; } /* Some packages like Canon ZoomBrowser EX 4.5 store only one zero byte followed by 7 bytes of rubbish */ if ((e->size >= 8) && (e->data[0] == 0)) { memcpy(e->data, "\0\0\0\0\0\0\0\0", 8); } /* There need to be at least 8 bytes. */ if (e->size < 8) { e->data = exif_entry_realloc (e, e->data, 8 + e->size); if (!e->data) { e->size = 0; e->components = 0; return; } /* Assume ASCII */ memmove (e->data + 8, e->data, e->size); memcpy (e->data, "ASCII\0\0\0", 8); e->size += 8; e->components += 8; exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag 'UserComment' has been expanded to at " "least 8 bytes in order to follow the " "specification.")); break; } /* * If the first 8 bytes are empty and real data starts * afterwards, let's assume ASCII and claim the 8 first * bytes for the format specifyer. */ for (i = 0; (i < e->size) && !e->data[i]; i++); if (!i) for ( ; (i < e->size) && (e->data[i] == ' '); i++); if ((i >= 8) && (i < e->size)) { exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag 'UserComment' is not empty but does not " "start with a format identifier. " "This has been fixed.")); memcpy (e->data, "ASCII\0\0\0", 8); break; } /* * First 8 bytes need to follow the specification. If they don't, * assume ASCII. */ if (memcmp (e->data, "ASCII\0\0\0" , 8) && memcmp (e->data, "UNICODE\0" , 8) && memcmp (e->data, "JIS\0\0\0\0\0" , 8) && memcmp (e->data, "\0\0\0\0\0\0\0\0", 8)) { e->data = exif_entry_realloc (e, e->data, 8 + e->size); if (!e->data) { e->size = 0; e->components = 0; break; } /* Assume ASCII */ memmove (e->data + 8, e->data, e->size); memcpy (e->data, "ASCII\0\0\0", 8); e->size += 8; e->components += 8; exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag 'UserComment' did not start with a " "format identifier. This has been fixed.")); break; } break; default: break; } } /*! Format the value of an ExifEntry for human display in a generic way. * The output is localized. The formatting is independent of the tag number. * \pre The buffer at val is entirely cleared to 0. This guarantees that the * resulting string will be NUL terminated. * \pre The ExifEntry is already a member of an ExifData. * \param[in] e EXIF entry * \param[out] val buffer in which to store value * \param[in] maxlen one less than the length of the buffer val */ static void exif_entry_format_value(ExifEntry *e, char *val, size_t maxlen) { ExifByte v_byte; ExifShort v_short; ExifSShort v_sshort; ExifLong v_long; ExifRational v_rat; ExifSRational v_srat; ExifSLong v_slong; char b[64]; unsigned int i; const ExifByteOrder o = exif_data_get_byte_order (e->parent->parent); if (!e->size) return; switch (e->format) { case EXIF_FORMAT_UNDEFINED: snprintf (val, maxlen, _("%i bytes undefined data"), e->size); break; case EXIF_FORMAT_BYTE: case EXIF_FORMAT_SBYTE: v_byte = e->data[0]; snprintf (val, maxlen, "0x%02x", v_byte); maxlen -= strlen (val); for (i = 1; i < e->components; i++) { v_byte = e->data[i]; snprintf (b, sizeof (b), ", 0x%02x", v_byte); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed)maxlen <= 0) break; } break; case EXIF_FORMAT_SHORT: v_short = exif_get_short (e->data, o); snprintf (val, maxlen, "%u", v_short); maxlen -= strlen (val); for (i = 1; i < e->components; i++) { v_short = exif_get_short (e->data + exif_format_get_size (e->format) * i, o); snprintf (b, sizeof (b), ", %u", v_short); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed)maxlen <= 0) break; } break; case EXIF_FORMAT_SSHORT: v_sshort = exif_get_sshort (e->data, o); snprintf (val, maxlen, "%i", v_sshort); maxlen -= strlen (val); for (i = 1; i < e->components; i++) { v_sshort = exif_get_short (e->data + exif_format_get_size (e->format) * i, o); snprintf (b, sizeof (b), ", %i", v_sshort); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed)maxlen <= 0) break; } break; case EXIF_FORMAT_LONG: v_long = exif_get_long (e->data, o); snprintf (val, maxlen, "%lu", (unsigned long) v_long); maxlen -= strlen (val); for (i = 1; i < e->components; i++) { v_long = exif_get_long (e->data + exif_format_get_size (e->format) * i, o); snprintf (b, sizeof (b), ", %lu", (unsigned long) v_long); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed)maxlen <= 0) break; } break; case EXIF_FORMAT_SLONG: v_slong = exif_get_slong (e->data, o); snprintf (val, maxlen, "%li", (long) v_slong); maxlen -= strlen (val); for (i = 1; i < e->components; i++) { v_slong = exif_get_slong (e->data + exif_format_get_size (e->format) * i, o); snprintf (b, sizeof (b), ", %li", (long) v_slong); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed)maxlen <= 0) break; } break; case EXIF_FORMAT_ASCII: strncpy (val, (char *) e->data, MIN (maxlen, e->size)); break; case EXIF_FORMAT_RATIONAL: for (i = 0; i < e->components; i++) { if (i > 0) { strncat (val, ", ", maxlen); maxlen -= 2; } v_rat = exif_get_rational ( e->data + 8 * i, o); if (v_rat.denominator) { /* * Choose the number of significant digits to * display based on the size of the denominator. * It is scaled so that denominators within the * range 13..120 will show 2 decimal points. */ int decimals = (int)(log10(v_rat.denominator)-0.08+1.0); snprintf (b, sizeof (b), "%2.*f", decimals, (double) v_rat.numerator / (double) v_rat.denominator); } else snprintf (b, sizeof (b), "%lu/%lu", (unsigned long) v_rat.numerator, (unsigned long) v_rat.denominator); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed) maxlen <= 0) break; } break; case EXIF_FORMAT_SRATIONAL: for (i = 0; i < e->components; i++) { if (i > 0) { strncat (val, ", ", maxlen); maxlen -= 2; } v_srat = exif_get_srational ( e->data + 8 * i, o); if (v_srat.denominator) { int decimals = (int)(log10(fabs(v_srat.denominator))-0.08+1.0); snprintf (b, sizeof (b), "%2.*f", decimals, (double) v_srat.numerator / (double) v_srat.denominator); } else snprintf (b, sizeof (b), "%li/%li", (long) v_srat.numerator, (long) v_srat.denominator); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed) maxlen <= 0) break; } break; case EXIF_FORMAT_DOUBLE: case EXIF_FORMAT_FLOAT: default: snprintf (val, maxlen, _("%i bytes unsupported data type"), e->size); break; } } void exif_entry_dump (ExifEntry *e, unsigned int indent) { char buf[1024]; char value[1024]; unsigned int i; for (i = 0; i < 2 * indent; i++) buf[i] = ' '; buf[i] = '\0'; if (!e) return; printf ("%sTag: 0x%x ('%s')\n", buf, e->tag, exif_tag_get_name_in_ifd (e->tag, exif_entry_get_ifd(e))); printf ("%s Format: %i ('%s')\n", buf, e->format, exif_format_get_name (e->format)); printf ("%s Components: %i\n", buf, (int) e->components); printf ("%s Size: %i\n", buf, e->size); printf ("%s Value: %s\n", buf, exif_entry_get_value (e, value, sizeof(value))); } #define CF(entry,target,v,maxlen) \ { \ if (entry->format != target) { \ exif_entry_log (entry, EXIF_LOG_CODE_CORRUPT_DATA, \ _("The tag '%s' contains data of an invalid " \ "format ('%s', expected '%s')."), \ exif_tag_get_name (entry->tag), \ exif_format_get_name (entry->format), \ exif_format_get_name (target)); \ break; \ } \ } #define CC(entry,target,v,maxlen) \ { \ if (entry->components != target) { \ exif_entry_log (entry, EXIF_LOG_CODE_CORRUPT_DATA, \ _("The tag '%s' contains an invalid number of " \ "components (%i, expected %i)."), \ exif_tag_get_name (entry->tag), \ (int) entry->components, (int) target); \ break; \ } \ } static const struct { ExifTag tag; const char *strings[10]; } list[] = { #ifndef NO_VERBOSE_TAG_DATA { EXIF_TAG_PLANAR_CONFIGURATION, { N_("Chunky format"), N_("Planar format"), NULL}}, { EXIF_TAG_SENSING_METHOD, { "", N_("Not defined"), N_("One-chip color area sensor"), N_("Two-chip color area sensor"), N_("Three-chip color area sensor"), N_("Color sequential area sensor"), "", N_("Trilinear sensor"), N_("Color sequential linear sensor"), NULL}}, { EXIF_TAG_ORIENTATION, { "", N_("Top-left"), N_("Top-right"), N_("Bottom-right"), N_("Bottom-left"), N_("Left-top"), N_("Right-top"), N_("Right-bottom"), N_("Left-bottom"), NULL}}, { EXIF_TAG_YCBCR_POSITIONING, { "", N_("Centered"), N_("Co-sited"), NULL}}, { EXIF_TAG_PHOTOMETRIC_INTERPRETATION, { N_("Reversed mono"), N_("Normal mono"), N_("RGB"), N_("Palette"), "", N_("CMYK"), N_("YCbCr"), "", N_("CieLAB"), NULL}}, { EXIF_TAG_CUSTOM_RENDERED, { N_("Normal process"), N_("Custom process"), NULL}}, { EXIF_TAG_EXPOSURE_MODE, { N_("Auto exposure"), N_("Manual exposure"), N_("Auto bracket"), NULL}}, { EXIF_TAG_WHITE_BALANCE, { N_("Auto white balance"), N_("Manual white balance"), NULL}}, { EXIF_TAG_SCENE_CAPTURE_TYPE, { N_("Standard"), N_("Landscape"), N_("Portrait"), N_("Night scene"), NULL}}, { EXIF_TAG_GAIN_CONTROL, { N_("Normal"), N_("Low gain up"), N_("High gain up"), N_("Low gain down"), N_("High gain down"), NULL}}, { EXIF_TAG_SATURATION, { N_("Normal"), N_("Low saturation"), N_("High saturation"), NULL}}, { EXIF_TAG_CONTRAST , {N_("Normal"), N_("Soft"), N_("Hard"), NULL}}, { EXIF_TAG_SHARPNESS, {N_("Normal"), N_("Soft"), N_("Hard"), NULL}}, #endif { 0, {NULL}} }; static const struct { ExifTag tag; struct { int index; const char *values[4]; /*!< list of progressively shorter string descriptions; the longest one that fits will be selected */ } elem[25]; } list2[] = { #ifndef NO_VERBOSE_TAG_DATA { EXIF_TAG_METERING_MODE, { { 0, {N_("Unknown"), NULL}}, { 1, {N_("Average"), N_("Avg"), NULL}}, { 2, {N_("Center-weighted average"), N_("Center-weight"), NULL}}, { 3, {N_("Spot"), NULL}}, { 4, {N_("Multi spot"), NULL}}, { 5, {N_("Pattern"), NULL}}, { 6, {N_("Partial"), NULL}}, {255, {N_("Other"), NULL}}, { 0, {NULL}}}}, { EXIF_TAG_COMPRESSION, { {1, {N_("Uncompressed"), NULL}}, {5, {N_("LZW compression"), NULL}}, {6, {N_("JPEG compression"), NULL}}, {7, {N_("JPEG compression"), NULL}}, {8, {N_("Deflate/ZIP compression"), NULL}}, {32773, {N_("PackBits compression"), NULL}}, {0, {NULL}}}}, { EXIF_TAG_LIGHT_SOURCE, { { 0, {N_("Unknown"), NULL}}, { 1, {N_("Daylight"), NULL}}, { 2, {N_("Fluorescent"), NULL}}, { 3, {N_("Tungsten incandescent light"), N_("Tungsten"), NULL}}, { 4, {N_("Flash"), NULL}}, { 9, {N_("Fine weather"), NULL}}, { 10, {N_("Cloudy weather"), N_("Cloudy"), NULL}}, { 11, {N_("Shade"), NULL}}, { 12, {N_("Daylight fluorescent"), NULL}}, { 13, {N_("Day white fluorescent"), NULL}}, { 14, {N_("Cool white fluorescent"), NULL}}, { 15, {N_("White fluorescent"), NULL}}, { 17, {N_("Standard light A"), NULL}}, { 18, {N_("Standard light B"), NULL}}, { 19, {N_("Standard light C"), NULL}}, { 20, {N_("D55"), NULL}}, { 21, {N_("D65"), NULL}}, { 22, {N_("D75"), NULL}}, { 24, {N_("ISO studio tungsten"),NULL}}, {255, {N_("Other"), NULL}}, { 0, {NULL}}}}, { EXIF_TAG_FOCAL_PLANE_RESOLUTION_UNIT, { {2, {N_("Inch"), N_("in"), NULL}}, {3, {N_("Centimeter"), N_("cm"), NULL}}, {0, {NULL}}}}, { EXIF_TAG_RESOLUTION_UNIT, { {2, {N_("Inch"), N_("in"), NULL}}, {3, {N_("Centimeter"), N_("cm"), NULL}}, {0, {NULL}}}}, { EXIF_TAG_EXPOSURE_PROGRAM, { {0, {N_("Not defined"), NULL}}, {1, {N_("Manual"), NULL}}, {2, {N_("Normal program"), N_("Normal"), NULL}}, {3, {N_("Aperture priority"), N_("Aperture"), NULL}}, {4, {N_("Shutter priority"),N_("Shutter"), NULL}}, {5, {N_("Creative program (biased toward depth of field)"), N_("Creative"), NULL}}, {6, {N_("Creative program (biased toward fast shutter speed)"), N_("Action"), NULL}}, {7, {N_("Portrait mode (for closeup photos with the background out " "of focus)"), N_("Portrait"), NULL}}, {8, {N_("Landscape mode (for landscape photos with the background " "in focus)"), N_("Landscape"), NULL}}, {0, {NULL}}}}, { EXIF_TAG_FLASH, { {0x0000, {N_("Flash did not fire"), N_("No flash"), NULL}}, {0x0001, {N_("Flash fired"), N_("Flash"), N_("Yes"), NULL}}, {0x0005, {N_("Strobe return light not detected"), N_("Without strobe"), NULL}}, {0x0007, {N_("Strobe return light detected"), N_("With strobe"), NULL}}, {0x0008, {N_("Flash did not fire"), NULL}}, /* Olympus E-330 */ {0x0009, {N_("Flash fired, compulsory flash mode"), NULL}}, {0x000d, {N_("Flash fired, compulsory flash mode, return light " "not detected"), NULL}}, {0x000f, {N_("Flash fired, compulsory flash mode, return light " "detected"), NULL}}, {0x0010, {N_("Flash did not fire, compulsory flash mode"), NULL}}, {0x0018, {N_("Flash did not fire, auto mode"), NULL}}, {0x0019, {N_("Flash fired, auto mode"), NULL}}, {0x001d, {N_("Flash fired, auto mode, return light not detected"), NULL}}, {0x001f, {N_("Flash fired, auto mode, return light detected"), NULL}}, {0x0020, {N_("No flash function"),NULL}}, {0x0041, {N_("Flash fired, red-eye reduction mode"), NULL}}, {0x0045, {N_("Flash fired, red-eye reduction mode, return light " "not detected"), NULL}}, {0x0047, {N_("Flash fired, red-eye reduction mode, return light " "detected"), NULL}}, {0x0049, {N_("Flash fired, compulsory flash mode, red-eye reduction " "mode"), NULL}}, {0x004d, {N_("Flash fired, compulsory flash mode, red-eye reduction " "mode, return light not detected"), NULL}}, {0x004f, {N_("Flash fired, compulsory flash mode, red-eye reduction mode, " "return light detected"), NULL}}, {0x0058, {N_("Flash did not fire, auto mode, red-eye reduction mode"), NULL}}, {0x0059, {N_("Flash fired, auto mode, red-eye reduction mode"), NULL}}, {0x005d, {N_("Flash fired, auto mode, return light not detected, " "red-eye reduction mode"), NULL}}, {0x005f, {N_("Flash fired, auto mode, return light detected, " "red-eye reduction mode"), NULL}}, {0x0000, {NULL}}}}, { EXIF_TAG_SUBJECT_DISTANCE_RANGE, { {0, {N_("Unknown"), N_("?"), NULL}}, {1, {N_("Macro"), NULL}}, {2, {N_("Close view"), N_("Close"), NULL}}, {3, {N_("Distant view"), N_("Distant"), NULL}}, {0, {NULL}}}}, { EXIF_TAG_COLOR_SPACE, { {1, {N_("sRGB"), NULL}}, {2, {N_("Adobe RGB"), NULL}}, {0xffff, {N_("Uncalibrated"), NULL}}, {0x0000, {NULL}}}}, #endif {0, { { 0, {NULL}}} } }; const char * exif_entry_get_value (ExifEntry *e, char *val, unsigned int maxlen) { unsigned int i, j, k; const unsigned char *t; ExifShort v_short, v_short2, v_short3, v_short4; ExifByte v_byte; ExifRational v_rat; ExifSRational v_srat; char b[64]; const char *c; ExifByteOrder o; double d; ExifEntry *entry; static const struct { char label[5]; char major, minor; } versions[] = { {"0110", 1, 1}, {"0120", 1, 2}, {"0200", 2, 0}, {"0210", 2, 1}, {"0220", 2, 2}, {"0221", 2, 21}, {"" , 0, 0} }; /* FIXME: This belongs to somewhere else. */ /* libexif should use the default system locale. * If an application specifically requires UTF-8, then we * must give the application a way to tell libexif that. * * bind_textdomain_codeset (GETTEXT_PACKAGE, "UTF-8"); */ bindtextdomain (GETTEXT_PACKAGE, LOCALEDIR); /* make sure the returned string is zero terminated */ memset (val, 0, maxlen); maxlen--; memset (b, 0, sizeof (b)); /* We need the byte order */ if (!e || !e->parent || !e->parent->parent) return val; o = exif_data_get_byte_order (e->parent->parent); /* Sanity check */ if (e->size != e->components * exif_format_get_size (e->format)) { snprintf (val, maxlen, _("Invalid size of entry (%i, " "expected %li x %i)."), e->size, e->components, exif_format_get_size (e->format)); return val; } switch (e->tag) { case EXIF_TAG_USER_COMMENT: /* * The specification says UNDEFINED, but some * manufacturers don't care and use ASCII. If this is the * case here, only refuse to read it if there is no chance * of finding readable data. */ if ((e->format != EXIF_FORMAT_ASCII) || (e->size <= 8) || ( memcmp (e->data, "ASCII\0\0\0" , 8) && memcmp (e->data, "UNICODE\0" , 8) && memcmp (e->data, "JIS\0\0\0\0\0", 8) && memcmp (e->data, "\0\0\0\0\0\0\0\0", 8))) CF (e, EXIF_FORMAT_UNDEFINED, val, maxlen); /* * Note that, according to the specification (V2.1, p 40), * the user comment field does not have to be * NULL terminated. */ if ((e->size >= 8) && !memcmp (e->data, "ASCII\0\0\0", 8)) { strncpy (val, (char *) e->data + 8, MIN (e->size - 8, maxlen)); break; } if ((e->size >= 8) && !memcmp (e->data, "UNICODE\0", 8)) { strncpy (val, _("Unsupported UNICODE string"), maxlen); /* FIXME: use iconv to convert into the locale encoding. * EXIF 2.2 implies (but does not say) that this encoding is * UCS-2. */ break; } if ((e->size >= 8) && !memcmp (e->data, "JIS\0\0\0\0\0", 8)) { strncpy (val, _("Unsupported JIS string"), maxlen); /* FIXME: use iconv to convert into the locale encoding */ break; } /* Check if there is really some information in the tag. */ for (i = 0; (i < e->size) && (!e->data[i] || (e->data[i] == ' ')); i++); if (i == e->size) break; /* * If we reach this point, the tag does not * comply with the standard and seems to contain data. * Print as much as possible. */ exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Tag UserComment does not comply " "with standard but contains data.")); for (; (i < e->size) && (strlen (val) < maxlen - 1); i++) { exif_entry_log (e, EXIF_LOG_CODE_DEBUG, _("Byte at position %i: 0x%02x"), i, e->data[i]); val[strlen (val)] = isprint (e->data[i]) ? e->data[i] : '.'; } break; case EXIF_TAG_EXIF_VERSION: CF (e, EXIF_FORMAT_UNDEFINED, val, maxlen); CC (e, 4, val, maxlen); strncpy (val, _("Unknown Exif Version"), maxlen); for (i = 0; *versions[i].label; i++) { if (!memcmp (e->data, versions[i].label, 4)) { snprintf (val, maxlen, _("Exif Version %d.%d"), versions[i].major, versions[i].minor); break; } } break; case EXIF_TAG_FLASH_PIX_VERSION: CF (e, EXIF_FORMAT_UNDEFINED, val, maxlen); CC (e, 4, val, maxlen); if (!memcmp (e->data, "0100", 4)) strncpy (val, _("FlashPix Version 1.0"), maxlen); else if (!memcmp (e->data, "0101", 4)) strncpy (val, _("FlashPix Version 1.01"), maxlen); else strncpy (val, _("Unknown FlashPix Version"), maxlen); break; case EXIF_TAG_COPYRIGHT: CF (e, EXIF_FORMAT_ASCII, val, maxlen); /* * First part: Photographer. * Some cameras store a string like " " here. Ignore it. */ if (e->size && e->data && (strspn ((char *)e->data, " ") != strlen ((char *) e->data))) strncpy (val, (char *) e->data, MIN (maxlen, e->size)); else strncpy (val, _("[None]"), maxlen); strncat (val, " ", maxlen - strlen (val)); strncat (val, _("(Photographer)"), maxlen - strlen (val)); /* Second part: Editor. */ strncat (val, " - ", maxlen - strlen (val)); if (e->size && e->data) { size_t ts; t = e->data + strlen ((char *) e->data) + 1; ts = e->data + e->size - t; if ((ts > 0) && (strspn ((char *)t, " ") != ts)) strncat (val, (char *)t, MIN (maxlen - strlen (val), ts)); } else { strncat (val, _("[None]"), maxlen - strlen (val)); } strncat (val, " ", maxlen - strlen (val)); strncat (val, _("(Editor)"), maxlen - strlen (val)); break; case EXIF_TAG_FNUMBER: CF (e, EXIF_FORMAT_RATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_rat = exif_get_rational (e->data, o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_rat.numerator / (double) v_rat.denominator; snprintf (val, maxlen, "f/%.01f", d); break; case EXIF_TAG_APERTURE_VALUE: case EXIF_TAG_MAX_APERTURE_VALUE: CF (e, EXIF_FORMAT_RATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_rat = exif_get_rational (e->data, o); if (!v_rat.denominator || (0x80000000 == v_rat.numerator)) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_rat.numerator / (double) v_rat.denominator; snprintf (val, maxlen, _("%.02f EV"), d); snprintf (b, sizeof (b), _(" (f/%.01f)"), pow (2, d / 2.)); if (maxlen > strlen (val) + strlen (b)) strncat (val, b, maxlen - strlen (val)); break; case EXIF_TAG_FOCAL_LENGTH: CF (e, EXIF_FORMAT_RATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_rat = exif_get_rational (e->data, o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } /* * For calculation of the 35mm equivalent, * Minolta cameras need a multiplier that depends on the * camera model. */ d = 0.; entry = exif_content_get_entry ( e->parent->parent->ifd[EXIF_IFD_0], EXIF_TAG_MAKE); if (entry && entry->data && !strncmp ((char *)entry->data, "Minolta", 7)) { entry = exif_content_get_entry ( e->parent->parent->ifd[EXIF_IFD_0], EXIF_TAG_MODEL); if (entry && entry->data) { if (!strncmp ((char *)entry->data, "DiMAGE 7", 8)) d = 3.9; else if (!strncmp ((char *)entry->data, "DiMAGE 5", 8)) d = 4.9; } } if (d) snprintf (b, sizeof (b), _(" (35 equivalent: %d mm)"), (int) (d * (double) v_rat.numerator / (double) v_rat.denominator)); d = (double) v_rat.numerator / (double) v_rat.denominator; snprintf (val, maxlen, "%.1f mm", d); if (maxlen > strlen (val) + strlen (b)) strncat (val, b, maxlen - strlen (val)); break; case EXIF_TAG_SUBJECT_DISTANCE: CF (e, EXIF_FORMAT_RATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_rat = exif_get_rational (e->data, o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_rat.numerator / (double) v_rat.denominator; snprintf (val, maxlen, "%.1f m", d); break; case EXIF_TAG_EXPOSURE_TIME: CF (e, EXIF_FORMAT_RATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_rat = exif_get_rational (e->data, o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_rat.numerator / (double) v_rat.denominator; if (d < 1) snprintf (val, maxlen, _("1/%i"), (int) (0.5 + 1. / d)); else snprintf (val, maxlen, "%i", (int) d); if (maxlen > strlen (val) + strlen (_(" sec."))) strncat (val, _(" sec."), maxlen - strlen (val)); break; case EXIF_TAG_SHUTTER_SPEED_VALUE: CF (e, EXIF_FORMAT_SRATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_srat = exif_get_srational (e->data, o); if (!v_srat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_srat.numerator / (double) v_srat.denominator; snprintf (val, maxlen, _("%.02f EV"), d); d = 1. / pow (2, d); if (d < 1) snprintf (b, sizeof (b), _(" (1/%d sec.)"), (int) (1. / d)); else snprintf (b, sizeof (b), _(" (%d sec.)"), (int) d); strncat (val, b, maxlen - strlen (val)); break; case EXIF_TAG_BRIGHTNESS_VALUE: CF (e, EXIF_FORMAT_SRATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_srat = exif_get_srational (e->data, o); if (!v_srat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_srat.numerator / (double) v_srat.denominator; snprintf (val, maxlen, _("%.02f EV"), d); snprintf (b, sizeof (b), _(" (%.02f cd/m^2)"), 1. / (M_PI * 0.3048 * 0.3048) * pow (2, d)); if (maxlen > strlen (val) + strlen (b)) strncat (val, b, maxlen - strlen (val)); break; case EXIF_TAG_FILE_SOURCE: CF (e, EXIF_FORMAT_UNDEFINED, val, maxlen); CC (e, 1, val, maxlen); v_byte = e->data[0]; if (v_byte == 3) strncpy (val, _("DSC"), maxlen); else snprintf (val, maxlen, _("Internal error (unknown " "value %i)"), v_byte); break; case EXIF_TAG_COMPONENTS_CONFIGURATION: CF (e, EXIF_FORMAT_UNDEFINED, val, maxlen); CC (e, 4, val, maxlen); for (i = 0; i < 4; i++) { switch (e->data[i]) { case 0: c = _("-"); break; case 1: c = _("Y"); break; case 2: c = _("Cb"); break; case 3: c = _("Cr"); break; case 4: c = _("R"); break; case 5: c = _("G"); break; case 6: c = _("B"); break; default: c = _("Reserved"); break; } strncat (val, c, maxlen - strlen (val)); if (i < 3) strncat (val, " ", maxlen - strlen (val)); } break; case EXIF_TAG_EXPOSURE_BIAS_VALUE: CF (e, EXIF_FORMAT_SRATIONAL, val, maxlen); CC (e, 1, val, maxlen); v_srat = exif_get_srational (e->data, o); if (!v_srat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_srat.numerator / (double) v_srat.denominator; snprintf (val, maxlen, _("%.02f EV"), d); break; case EXIF_TAG_SCENE_TYPE: CF (e, EXIF_FORMAT_UNDEFINED, val, maxlen); CC (e, 1, val, maxlen); v_byte = e->data[0]; if (v_byte == 1) strncpy (val, _("Directly photographed"), maxlen); else snprintf (val, maxlen, _("Internal error (unknown " "value %i)"), v_byte); break; case EXIF_TAG_YCBCR_SUB_SAMPLING: CF (e, EXIF_FORMAT_SHORT, val, maxlen); CC (e, 2, val, maxlen); v_short = exif_get_short (e->data, o); v_short2 = exif_get_short ( e->data + exif_format_get_size (e->format), o); if ((v_short == 2) && (v_short2 == 1)) strncpy (val, _("YCbCr4:2:2"), maxlen); else if ((v_short == 2) && (v_short2 == 2)) strncpy (val, _("YCbCr4:2:0"), maxlen); else snprintf (val, maxlen, "%u, %u", v_short, v_short2); break; case EXIF_TAG_SUBJECT_AREA: CF (e, EXIF_FORMAT_SHORT, val, maxlen); switch (e->components) { case 2: v_short = exif_get_short (e->data, o); v_short2 = exif_get_short (e->data + 2, o); snprintf (val, maxlen, "(x,y) = (%i,%i)", v_short, v_short2); break; case 3: v_short = exif_get_short (e->data, o); v_short2 = exif_get_short (e->data + 2, o); v_short3 = exif_get_short (e->data + 4, o); snprintf (val, maxlen, _("Within distance %i of " "(x,y) = (%i,%i)"), v_short3, v_short, v_short2); break; case 4: v_short = exif_get_short (e->data, o); v_short2 = exif_get_short (e->data + 2, o); v_short3 = exif_get_short (e->data + 4, o); v_short4 = exif_get_short (e->data + 6, o); snprintf (val, maxlen, _("Within rectangle " "(width %i, height %i) around " "(x,y) = (%i,%i)"), v_short3, v_short4, v_short, v_short2); break; default: snprintf (val, maxlen, _("Unexpected number " "of components (%li, expected 2, 3, or 4)."), e->components); } break; case EXIF_TAG_GPS_VERSION_ID: /* This is only valid in the GPS IFD */ CF (e, EXIF_FORMAT_BYTE, val, maxlen); CC (e, 4, val, maxlen); v_byte = e->data[0]; snprintf (val, maxlen, "%u", v_byte); maxlen -= strlen (val); for (i = 1; i < e->components; i++) { v_byte = e->data[i]; snprintf (b, sizeof (b), ".%u", v_byte); strncat (val, b, maxlen); maxlen -= strlen (b); if ((signed)maxlen <= 0) break; } break; case EXIF_TAG_INTEROPERABILITY_VERSION: /* a.k.a. case EXIF_TAG_GPS_LATITUDE: */ /* This tag occurs in EXIF_IFD_INTEROPERABILITY */ if (e->format == EXIF_FORMAT_UNDEFINED) { strncpy (val, (char *) e->data, MIN (maxlen, e->size)); break; } /* EXIF_TAG_GPS_LATITUDE is the same numerically as * EXIF_TAG_INTEROPERABILITY_VERSION but in EXIF_IFD_GPS */ exif_entry_format_value(e, val, maxlen); break; case EXIF_TAG_GPS_ALTITUDE_REF: /* This is only valid in the GPS IFD */ CF (e, EXIF_FORMAT_BYTE, val, maxlen); CC (e, 1, val, maxlen); v_byte = e->data[0]; if (v_byte == 0) strncpy (val, _("Sea level"), maxlen); else if (v_byte == 1) strncpy (val, _("Sea level reference"), maxlen); else snprintf (val, maxlen, _("Internal error (unknown " "value %i)"), v_byte); break; case EXIF_TAG_GPS_TIME_STAMP: /* This is only valid in the GPS IFD */ CF (e, EXIF_FORMAT_RATIONAL, val, maxlen); CC (e, 3, val, maxlen); v_rat = exif_get_rational (e->data, o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } i = v_rat.numerator / v_rat.denominator; v_rat = exif_get_rational (e->data + exif_format_get_size (e->format), o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } j = v_rat.numerator / v_rat.denominator; v_rat = exif_get_rational (e->data + 2*exif_format_get_size (e->format), o); if (!v_rat.denominator) { exif_entry_format_value(e, val, maxlen); break; } d = (double) v_rat.numerator / (double) v_rat.denominator; snprintf (val, maxlen, "%02u:%02u:%05.2f", i, j, d); break; case EXIF_TAG_METERING_MODE: case EXIF_TAG_COMPRESSION: case EXIF_TAG_LIGHT_SOURCE: case EXIF_TAG_FOCAL_PLANE_RESOLUTION_UNIT: case EXIF_TAG_RESOLUTION_UNIT: case EXIF_TAG_EXPOSURE_PROGRAM: case EXIF_TAG_FLASH: case EXIF_TAG_SUBJECT_DISTANCE_RANGE: case EXIF_TAG_COLOR_SPACE: CF (e,EXIF_FORMAT_SHORT, val, maxlen); CC (e, 1, val, maxlen); v_short = exif_get_short (e->data, o); /* Search the tag */ for (i = 0; list2[i].tag && (list2[i].tag != e->tag); i++); if (!list2[i].tag) { snprintf (val, maxlen, _("Internal error (unknown " "value %i)"), v_short); break; } /* Find the value */ for (j = 0; list2[i].elem[j].values[0] && (list2[i].elem[j].index < v_short); j++); if (list2[i].elem[j].index != v_short) { snprintf (val, maxlen, _("Internal error (unknown " "value %i)"), v_short); break; } /* Find a short enough value */ memset (val, 0, maxlen); for (k = 0; list2[i].elem[j].values[k]; k++) { size_t l = strlen (_(list2[i].elem[j].values[k])); if ((maxlen > l) && (strlen (val) < l)) strncpy (val, _(list2[i].elem[j].values[k]), maxlen); } if (!val[0]) snprintf (val, maxlen, "%i", v_short); break; case EXIF_TAG_PLANAR_CONFIGURATION: case EXIF_TAG_SENSING_METHOD: case EXIF_TAG_ORIENTATION: case EXIF_TAG_YCBCR_POSITIONING: case EXIF_TAG_PHOTOMETRIC_INTERPRETATION: case EXIF_TAG_CUSTOM_RENDERED: case EXIF_TAG_EXPOSURE_MODE: case EXIF_TAG_WHITE_BALANCE: case EXIF_TAG_SCENE_CAPTURE_TYPE: case EXIF_TAG_GAIN_CONTROL: case EXIF_TAG_SATURATION: case EXIF_TAG_CONTRAST: case EXIF_TAG_SHARPNESS: CF (e, EXIF_FORMAT_SHORT, val, maxlen); CC (e, 1, val, maxlen); v_short = exif_get_short (e->data, o); /* Search the tag */ for (i = 0; list[i].tag && (list[i].tag != e->tag); i++); if (!list[i].tag) { snprintf (val, maxlen, _("Internal error (unknown " "value %i)"), v_short); break; } /* Find the value */ for (j = 0; list[i].strings[j] && (j < v_short); j++); if (!list[i].strings[j]) snprintf (val, maxlen, "%i", v_short); else if (!*list[i].strings[j]) snprintf (val, maxlen, _("Unknown value %i"), v_short); else strncpy (val, _(list[i].strings[j]), maxlen); break; case EXIF_TAG_XP_TITLE: case EXIF_TAG_XP_COMMENT: case EXIF_TAG_XP_AUTHOR: case EXIF_TAG_XP_KEYWORDS: case EXIF_TAG_XP_SUBJECT: /* Warning! The texts are converted from UTF16 to UTF8 */ /* FIXME: use iconv to convert into the locale encoding */ exif_convert_utf16_to_utf8(val, (unsigned short*)e->data, MIN(maxlen, e->size)); break; default: /* Use a generic value formatting */ exif_entry_format_value(e, val, maxlen); } return val; } /*! * \bug Log and report failed exif_mem_malloc() calls. */ void exif_entry_initialize (ExifEntry *e, ExifTag tag) { ExifRational r; ExifByteOrder o; /* We need the byte order */ if (!e || !e->parent || e->data || !e->parent->parent) return; o = exif_data_get_byte_order (e->parent->parent); e->tag = tag; switch (tag) { /* LONG, 1 component, no default */ case EXIF_TAG_PIXEL_X_DIMENSION: case EXIF_TAG_PIXEL_Y_DIMENSION: case EXIF_TAG_EXIF_IFD_POINTER: case EXIF_TAG_GPS_INFO_IFD_POINTER: case EXIF_TAG_INTEROPERABILITY_IFD_POINTER: case EXIF_TAG_JPEG_INTERCHANGE_FORMAT_LENGTH: case EXIF_TAG_JPEG_INTERCHANGE_FORMAT: e->components = 1; e->format = EXIF_FORMAT_LONG; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; break; /* SHORT, 1 component, no default */ case EXIF_TAG_SUBJECT_LOCATION: case EXIF_TAG_SENSING_METHOD: case EXIF_TAG_PHOTOMETRIC_INTERPRETATION: case EXIF_TAG_COMPRESSION: case EXIF_TAG_EXPOSURE_MODE: case EXIF_TAG_WHITE_BALANCE: case EXIF_TAG_FOCAL_LENGTH_IN_35MM_FILM: case EXIF_TAG_GAIN_CONTROL: case EXIF_TAG_SUBJECT_DISTANCE_RANGE: case EXIF_TAG_FLASH: case EXIF_TAG_ISO_SPEED_RATINGS: /* SHORT, 1 component, default 0 */ case EXIF_TAG_IMAGE_WIDTH: case EXIF_TAG_IMAGE_LENGTH: case EXIF_TAG_EXPOSURE_PROGRAM: case EXIF_TAG_LIGHT_SOURCE: case EXIF_TAG_METERING_MODE: case EXIF_TAG_CUSTOM_RENDERED: case EXIF_TAG_SCENE_CAPTURE_TYPE: case EXIF_TAG_CONTRAST: case EXIF_TAG_SATURATION: case EXIF_TAG_SHARPNESS: e->components = 1; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 0); break; /* SHORT, 1 component, default 1 */ case EXIF_TAG_ORIENTATION: case EXIF_TAG_PLANAR_CONFIGURATION: case EXIF_TAG_YCBCR_POSITIONING: e->components = 1; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 1); break; /* SHORT, 1 component, default 2 */ case EXIF_TAG_RESOLUTION_UNIT: case EXIF_TAG_FOCAL_PLANE_RESOLUTION_UNIT: e->components = 1; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 2); break; /* SHORT, 1 component, default 3 */ case EXIF_TAG_SAMPLES_PER_PIXEL: e->components = 1; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 3); break; /* SHORT, 1 component, default 0xffff */ case EXIF_TAG_COLOR_SPACE: e->components = 1; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 0xffff); break; /* SHORT, 3 components, default 8 8 8 */ case EXIF_TAG_BITS_PER_SAMPLE: e->components = 3; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 8); exif_set_short ( e->data + exif_format_get_size (e->format), o, 8); exif_set_short ( e->data + 2 * exif_format_get_size (e->format), o, 8); break; /* SHORT, 2 components, default 2 1 */ case EXIF_TAG_YCBCR_SUB_SAMPLING: e->components = 2; e->format = EXIF_FORMAT_SHORT; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; exif_set_short (e->data, o, 2); exif_set_short ( e->data + exif_format_get_size (e->format), o, 1); break; /* SRATIONAL, 1 component, no default */ case EXIF_TAG_EXPOSURE_BIAS_VALUE: case EXIF_TAG_BRIGHTNESS_VALUE: case EXIF_TAG_SHUTTER_SPEED_VALUE: e->components = 1; e->format = EXIF_FORMAT_SRATIONAL; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; break; /* RATIONAL, 1 component, no default */ case EXIF_TAG_EXPOSURE_TIME: case EXIF_TAG_FOCAL_PLANE_X_RESOLUTION: case EXIF_TAG_FOCAL_PLANE_Y_RESOLUTION: case EXIF_TAG_EXPOSURE_INDEX: case EXIF_TAG_FLASH_ENERGY: case EXIF_TAG_FNUMBER: case EXIF_TAG_FOCAL_LENGTH: case EXIF_TAG_SUBJECT_DISTANCE: case EXIF_TAG_MAX_APERTURE_VALUE: case EXIF_TAG_APERTURE_VALUE: case EXIF_TAG_COMPRESSED_BITS_PER_PIXEL: case EXIF_TAG_PRIMARY_CHROMATICITIES: case EXIF_TAG_DIGITAL_ZOOM_RATIO: e->components = 1; e->format = EXIF_FORMAT_RATIONAL; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; break; /* RATIONAL, 1 component, default 72/1 */ case EXIF_TAG_X_RESOLUTION: case EXIF_TAG_Y_RESOLUTION: e->components = 1; e->format = EXIF_FORMAT_RATIONAL; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; r.numerator = 72; r.denominator = 1; exif_set_rational (e->data, o, r); break; /* RATIONAL, 2 components, no default */ case EXIF_TAG_WHITE_POINT: e->components = 2; e->format = EXIF_FORMAT_RATIONAL; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; break; /* RATIONAL, 6 components */ case EXIF_TAG_REFERENCE_BLACK_WHITE: e->components = 6; e->format = EXIF_FORMAT_RATIONAL; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; r.denominator = 1; r.numerator = 0; exif_set_rational (e->data, o, r); r.numerator = 255; exif_set_rational ( e->data + exif_format_get_size (e->format), o, r); r.numerator = 0; exif_set_rational ( e->data + 2 * exif_format_get_size (e->format), o, r); r.numerator = 255; exif_set_rational ( e->data + 3 * exif_format_get_size (e->format), o, r); r.numerator = 0; exif_set_rational ( e->data + 4 * exif_format_get_size (e->format), o, r); r.numerator = 255; exif_set_rational ( e->data + 5 * exif_format_get_size (e->format), o, r); break; /* ASCII, 20 components */ case EXIF_TAG_DATE_TIME: case EXIF_TAG_DATE_TIME_ORIGINAL: case EXIF_TAG_DATE_TIME_DIGITIZED: { time_t t; #ifdef HAVE_LOCALTIME_R struct tm tms; #endif struct tm *tm; t = time (NULL); #ifdef HAVE_LOCALTIME_R tm = localtime_r (&t, &tms); #else tm = localtime (&t); #endif e->components = 20; e->format = EXIF_FORMAT_ASCII; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; snprintf ((char *) e->data, e->size, "%04i:%02i:%02i %02i:%02i:%02i", tm->tm_year + 1900, tm->tm_mon + 1, tm->tm_mday, tm->tm_hour, tm->tm_min, tm->tm_sec); break; } /* ASCII, no default */ case EXIF_TAG_SUB_SEC_TIME: case EXIF_TAG_SUB_SEC_TIME_ORIGINAL: case EXIF_TAG_SUB_SEC_TIME_DIGITIZED: e->components = 0; e->format = EXIF_FORMAT_ASCII; e->size = 0; e->data = NULL; break; /* ASCII, default "[None]" */ case EXIF_TAG_IMAGE_DESCRIPTION: case EXIF_TAG_MAKE: case EXIF_TAG_MODEL: case EXIF_TAG_SOFTWARE: case EXIF_TAG_ARTIST: e->components = strlen (_("[None]")) + 1; e->format = EXIF_FORMAT_ASCII; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; strncpy ((char *)e->data, _("[None]"), e->size); break; /* ASCII, default "[None]\0[None]\0" */ case EXIF_TAG_COPYRIGHT: e->components = (strlen (_("[None]")) + 1) * 2; e->format = EXIF_FORMAT_ASCII; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; strcpy (((char *)e->data) + 0, _("[None]")); strcpy (((char *)e->data) + strlen (_("[None]")) + 1, _("[None]")); break; /* UNDEFINED, 1 component, default 1 */ case EXIF_TAG_SCENE_TYPE: e->components = 1; e->format = EXIF_FORMAT_UNDEFINED; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; e->data[0] = 0x01; break; /* UNDEFINED, 1 component, default 3 */ case EXIF_TAG_FILE_SOURCE: e->components = 1; e->format = EXIF_FORMAT_UNDEFINED; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; e->data[0] = 0x03; break; /* UNDEFINED, 4 components, default 48 49 48 48 */ case EXIF_TAG_FLASH_PIX_VERSION: e->components = 4; e->format = EXIF_FORMAT_UNDEFINED; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; memcpy (e->data, "0100", 4); break; /* UNDEFINED, 4 components, default 48 50 49 48 */ case EXIF_TAG_EXIF_VERSION: e->components = 4; e->format = EXIF_FORMAT_UNDEFINED; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; memcpy (e->data, "0210", 4); break; /* UNDEFINED, 4 components, default 1 2 3 0 */ case EXIF_TAG_COMPONENTS_CONFIGURATION: e->components = 4; e->format = EXIF_FORMAT_UNDEFINED; e->size = exif_format_get_size (e->format) * e->components; e->data = exif_entry_alloc (e, e->size); if (!e->data) break; e->data[0] = 1; e->data[1] = 2; e->data[2] = 3; e->data[3] = 0; break; /* UNDEFINED, no components, no default */ /* Use this if the tag is otherwise unsupported */ case EXIF_TAG_MAKER_NOTE: case EXIF_TAG_USER_COMMENT: default: e->components = 0; e->format = EXIF_FORMAT_UNDEFINED; e->size = 0; e->data = NULL; break; } }
gpl-3.0
collmot/ardupilot
libraries/AP_Scripting/examples/frsky_wp.lua
3416
--[[ This example adds a new passthrough packet type for waypoints. Waypoint data is packet into 32bits and sent down the frsky bus with a DIY appid of 0x5009. - 10 bits for current waypoint index, max 1023 - 12 bits for the distance in meters encoded with AP_Frsky_SPort::prep_number(distance, 3, 2) max is 102.3Km - 6 bits for xtrack error (5 bits + sign) encoded with prep_5bits - 3 bits for bearing from COG with a 45° resolution We'll be responding to an unused sensor ID This is a list of IDs we can't use: - serial protocol 4 uses IDs 0,2,3 and 6 - serial protocol 10 uses ID 7,13,20,27 - serial protocol 23, no IDs used For this test we'll use sensor ID 17 (0x71), Note: 17 is the index, 0x71 is the actual ID --]] local loop_time = 1000 -- number of ms between runs local WP_OFFSET_DISTANCE = 10 local WP_OFFSET_BEARING = 29 local WP_OFFSET_XTRACK = 22 local WP_LIMIT_COUNT = 0x3FF -- 1023 local WP_LIMIT_XTRACK = 0x7F -- 127m local WP_LIMIT_DISTANCE = 0x18F9C -- 102.3Km local WP_ARROW_COUNT = 8 -- 8 possible directions local wp_bearing = 0 local wp_index = 0 local wp_distance = 0 local wp_xtrack = 0 function wrap_360(angle) local res = angle % 360 if res < 0 then res = res + 360 end return res end function prep_5bits(num) local res = 0 local abs_num = math.floor(math.abs(num) + 0.5) if abs_num < 10 then res = abs_num << 1 elseif abs_num < 150 then res = ( math.floor((abs_num * 0.1)+0.5) << 1) | 0x1 else res = 0x1F end if num < 0 then res = res | 0x1 << 5 end return res end function wp_pack(index, distance, bearing, xtrack) local wp_dword = uint32_t() wp_dword = math.min(index,WP_LIMIT_COUNT) wp_dword = wp_dword | frsky_sport:prep_number(math.min(math.floor(distance+0.5),WP_LIMIT_DISTANCE),3,2) << WP_OFFSET_DISTANCE wp_dword = wp_dword | prep_5bits(math.min(xtrack,WP_LIMIT_XTRACK)) << WP_OFFSET_XTRACK if gps:status(0) >= gps.GPS_OK_FIX_2D then local cog = gps:ground_course(0) -- deg local angle = wrap_360(bearing - cog) -- deg local interval = 360 / WP_ARROW_COUNT -- 45 deg -- hint from OSD code to avoid unreliable bearing at small distances if distance < 2 then angle = 0 end -- bearing expressed as offset from cog as multiple of 45° ( 8 sectors) encoded as 3bits wp_dword = wp_dword | ((math.floor(((angle + interval/2) / interval)) % WP_ARROW_COUNT) & 0x7) << WP_OFFSET_BEARING end return wp_dword & 0xFFFFFFFF end function update_wp_info() local index = mission:get_current_nav_index() local distance = vehicle:get_wp_distance_m() local bearing = vehicle:get_wp_bearing_deg() local xtrack = vehicle:get_wp_crosstrack_error_m() if index ~= nil and distance ~= nil and bearing ~= nil and xtrack ~= nil then wp_index = index wp_bearing = bearing wp_distance = distance wp_xtrack = xtrack return true end return false end function update() local gps_status = gps.status(0,0) if not update_wp_info() then return update, loop_time end local sensor_id = 0x71 local wp_dword = uint32_t() wp_dword = wp_pack(wp_index, wp_distance, wp_bearing, wp_xtrack) frsky_sport:sport_telemetry_push(sensor_id, 0x10, 0x5009, wp_dword) return update, loop_time end return update() , 1000
gpl-3.0
louyihua/edx-platform
common/djangoapps/lang_pref/api.py
1986
# -*- coding: utf-8 -*- """ Python API for language and translation management. """ from collections import namedtuple from django.conf import settings from django.utils.translation import ugettext as _ from dark_lang.models import DarkLangConfig # Named tuples can be referenced using object-like variable # deferencing, making the use of tuples more readable by # eliminating the need to see the context of the tuple packing. Language = namedtuple('Language', 'code name') def released_languages(): """Retrieve the list of released languages. Constructs a list of Language tuples by intersecting the list of valid language tuples with the list of released language codes. Returns: list of Language: Languages in which full translations are available. Example: >>> print released_languages() [Language(code='en', name=u'English'), Language(code='fr', name=u'Français')] """ released_language_codes = DarkLangConfig.current().released_languages_list default_language_code = settings.LANGUAGE_CODE if default_language_code not in released_language_codes: released_language_codes.append(default_language_code) released_language_codes.sort() # Intersect the list of valid language tuples with the list # of release language codes released_languages = [ Language(tuple[0], tuple[1]) for tuple in settings.LANGUAGES if tuple[0] in released_language_codes ] return released_languages def all_languages(): """Retrieve the list of all languages, translated and sorted. Returns: list of (language code (str), language name (str)): the language names are translated in the current activated language and the results sorted alphabetically. """ languages = [(lang[0], _(lang[1])) for lang in settings.ALL_LANGUAGES] # pylint: disable=translation-of-non-string return sorted(languages, key=lambda lang: lang[1])
agpl-3.0
maligulzar/Rstudio-instrumented
src/gwt/src/org/rstudio/core/client/CommandWithArg.java
682
/* * CommandWithArg.java * * Copyright (C) 2009-12 by RStudio, Inc. * * Unless you have received this program directly from RStudio pursuant * to the terms of a commercial license agreement with RStudio, then * this program is licensed to you under the terms of version 3 of the * GNU Affero General Public License. This program is distributed WITHOUT * ANY EXPRESS OR IMPLIED WARRANTY, INCLUDING THOSE OF NON-INFRINGEMENT, * MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. Please refer to the * AGPL (http://www.gnu.org/licenses/agpl-3.0.txt) for more details. * */ package org.rstudio.core.client; public interface CommandWithArg<T> { void execute(T arg); }
agpl-3.0
gjbex/datasink
src/well_cl_params_aux.h
525
#ifndef CL_TYPECHECK_HDR #define CL_TYPECHECK_HDR #define EXIT_CL_ALLOC_FAIL 2 #define EXIT_CL_MISSING_VALUE 3 #define EXIT_CL_INVALID_VALUE 4 #define EXIT_CL_FILE_OPEN_FAIL 5 #define EXIT_CL_INVALID_STRING 6 int isIntCL(char *input, int isVerbose); int isLongCL(char *input, int isVerbose); int isFloatCL(char *input, int isVerbose); int isDoubleCL(char *input, int isVerbose); void shiftCL(int *i, int argc, char *argv[]); int isCommentCL(char *str); int isEmptyLineCL(char *str); void stripQuotesCL(char *str); #endif
lgpl-3.0
monaca/cordova-docs
docs/jp/2.9.0/guide/upgrading/index.md
1274
--- license: Licensed to the Apache Software Foundation (ASF) under one or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. --- アップグレードガイド ================ > アプリケーションを最新の Apache Cordova にアップグレードする方法を解説します。 - Upgrading Cordova Android - Upgrading Cordova BlackBerry - Upgrading Cordova iOS - Upgrading Cordova Symbian - Upgrading Cordova webOS - Upgrading Cordova Windows Phone - Upgrading Cordova Bada - Upgrading Cordova Tizen
apache-2.0
Guavus/hbase
hbase-common/src/main/java/org/apache/hadoop/hbase/types/OrderedFloat32.java
2533
/** * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.hadoop.hbase.types; import org.apache.hadoop.hbase.classification.InterfaceAudience; import org.apache.hadoop.hbase.classification.InterfaceStability; import org.apache.hadoop.hbase.util.Order; import org.apache.hadoop.hbase.util.OrderedBytes; import org.apache.hadoop.hbase.util.PositionedByteRange; /** * A {@code float} of 32-bits using a fixed-length encoding. Based on * {@link OrderedBytes#encodeFloat32(PositionedByteRange, float, Order)}. */ @InterfaceAudience.Public @InterfaceStability.Evolving public class OrderedFloat32 extends OrderedBytesBase<Float> { public static final OrderedFloat32 ASCENDING = new OrderedFloat32(Order.ASCENDING); public static final OrderedFloat32 DESCENDING = new OrderedFloat32(Order.DESCENDING); protected OrderedFloat32(Order order) { super(order); } @Override public boolean isNullable() { return false; } @Override public int encodedLength(Float val) { return 5; } @Override public Class<Float> encodedClass() { return Float.class; } @Override public Float decode(PositionedByteRange src) { return OrderedBytes.decodeFloat32(src); } @Override public int encode(PositionedByteRange dst, Float val) { if (null == val) throw new IllegalArgumentException("Null values not supported."); return OrderedBytes.encodeFloat32(dst, val, order); } /** * Read a {@code float} value from the buffer {@code dst}. */ public float decodeFloat(PositionedByteRange dst) { return OrderedBytes.decodeFloat32(dst); } /** * Write instance {@code val} into buffer {@code buff}. */ public int encodeFloat(PositionedByteRange dst, float val) { return OrderedBytes.encodeFloat32(dst, val, order); } }
apache-2.0
DanielRosenwasser/roslyn
src/Compilers/VisualBasic/Portable/Symbols/Source/SourceNamespaceSymbol.vb
31920
' Copyright (c) Microsoft. All Rights Reserved. Licensed under the Apache License, Version 2.0. See License.txt in the project root for license information. Imports System.Collections.Immutable Imports System.Threading Imports Microsoft.CodeAnalysis.ImmutableArrayExtensions Imports Microsoft.CodeAnalysis.Text Imports Microsoft.CodeAnalysis.VisualBasic.Symbols Imports Microsoft.CodeAnalysis.VisualBasic.Syntax Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols Friend NotInheritable Class SourceNamespaceSymbol Inherits PEOrSourceOrMergedNamespaceSymbol Private ReadOnly _declaration As MergedNamespaceDeclaration Private ReadOnly _containingNamespace As SourceNamespaceSymbol Private ReadOnly _containingModule As SourceModuleSymbol Private _nameToMembersMap As Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol)) Private _nameToTypeMembersMap As Dictionary(Of String, ImmutableArray(Of NamedTypeSymbol)) Private _lazyEmbeddedKind As Integer = EmbeddedSymbolKind.Unset ' lazily evaluated state of the symbol (StateFlags) Private _lazyState As Integer <Flags> Private Enum StateFlags As Integer HasMultipleSpellings = &H1 ' ReadOnly: Set if there are multiple declarations with different spellings (casing) AllMembersIsSorted = &H2 ' Set if "m_lazyAllMembers" is sorted. DeclarationValidated = &H4 ' Set by ValidateDeclaration. End Enum ' This caches results of GetModuleMembers() Private _lazyModuleMembers As ImmutableArray(Of NamedTypeSymbol) ' This caches results of GetMembers() Private _lazyAllMembers As ImmutableArray(Of Symbol) Private _lazyLexicalSortKey As LexicalSortKey = LexicalSortKey.NotInitialized Friend Sub New(decl As MergedNamespaceDeclaration, containingNamespace As SourceNamespaceSymbol, containingModule As SourceModuleSymbol) _declaration = decl _containingNamespace = containingNamespace _containingModule = containingModule If (containingNamespace IsNot Nothing AndAlso containingNamespace.HasMultipleSpellings) OrElse decl.HasMultipleSpellings Then _lazyState = StateFlags.HasMultipleSpellings End If End Sub ''' <summary> ''' Register COR types declared in this namespace, if any, in the COR types cache. ''' </summary> Private Sub RegisterDeclaredCorTypes() Dim containingAssembly As AssemblySymbol = Me.ContainingAssembly If (containingAssembly.KeepLookingForDeclaredSpecialTypes) Then ' Register newly declared COR types For Each array In _nameToMembersMap.Values For Each member In array Dim type = TryCast(member, NamedTypeSymbol) If type IsNot Nothing AndAlso type.SpecialType <> SpecialType.None Then containingAssembly.RegisterDeclaredSpecialType(type) If Not containingAssembly.KeepLookingForDeclaredSpecialTypes Then Return End If End If Next Next End If End Sub Public Overrides ReadOnly Property Name As String Get Return _declaration.Name End Get End Property Friend Overrides ReadOnly Property EmbeddedSymbolKind As EmbeddedSymbolKind Get If _lazyEmbeddedKind = EmbeddedSymbolKind.Unset Then Dim value As Integer = EmbeddedSymbolKind.None For Each location In _declaration.NameLocations Debug.Assert(location IsNot Nothing) If location.Kind = LocationKind.None Then Dim embeddedLocation = TryCast(location, EmbeddedTreeLocation) If embeddedLocation IsNot Nothing Then value = value Or embeddedLocation.EmbeddedKind End If End If Next Interlocked.CompareExchange(_lazyEmbeddedKind, value, EmbeddedSymbolKind.Unset) End If Return CType(_lazyEmbeddedKind, EmbeddedSymbolKind) End Get End Property Public Overrides ReadOnly Property ContainingSymbol As Symbol Get Return If(_containingNamespace, DirectCast(_containingModule, Symbol)) End Get End Property Public Overrides ReadOnly Property ContainingAssembly As AssemblySymbol Get Return _containingModule.ContainingAssembly End Get End Property Public Overrides ReadOnly Property ContainingModule As ModuleSymbol Get Return Me._containingModule End Get End Property Friend Overrides ReadOnly Property Extent As NamespaceExtent Get Return New NamespaceExtent(_containingModule) End Get End Property Private ReadOnly Property NameToMembersMap As Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol)) Get Return GetNameToMembersMap() End Get End Property Private Function GetNameToMembersMap() As Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol)) If _nameToMembersMap Is Nothing Then Dim map = MakeNameToMembersMap() If Interlocked.CompareExchange(_nameToMembersMap, map, Nothing) Is Nothing Then RegisterDeclaredCorTypes() End If End If Return _nameToMembersMap End Function Private Function MakeNameToMembersMap() As Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol)) ' NOTE: Even though the resulting map stores ImmutableArray(Of NamespaceOrTypeSymbol) as ' NOTE: values if the name is mapped into an array of named types, which is frequently ' NOTE: the case, we actually create an array of NamedTypeSymbol[] and wrap it in ' NOTE: ImmutableArray(Of NamespaceOrTypeSymbol) ' NOTE: ' NOTE: This way we can save time and memory in GetNameToTypeMembersMap() -- when we see that ' NOTE: a name maps into values collection containing types only instead of allocating another ' NOTE: array of NamedTypeSymbol[] we downcast the array to ImmutableArray(Of NamedTypeSymbol) Dim builder As New NameToSymbolMapBuilder(_declaration.Children.Length) For Each declaration In _declaration.Children builder.Add(BuildSymbol(declaration)) Next ' TODO(cyrusn): The C# and VB impls differ here. C# reports errors here and VB does not. ' Is that what we want? Return builder.CreateMap() End Function Private Structure NameToSymbolMapBuilder Private ReadOnly _dictionary As Dictionary(Of String, Object) Public Sub New(capacity As Integer) _dictionary = New Dictionary(Of String, Object)(capacity, IdentifierComparison.Comparer) End Sub Public Sub Add(symbol As NamespaceOrTypeSymbol) Dim name As String = symbol.Name Dim item As Object = Nothing If Me._dictionary.TryGetValue(name, item) Then Dim builder = TryCast(item, ArrayBuilder(Of NamespaceOrTypeSymbol)) If builder Is Nothing Then builder = ArrayBuilder(Of NamespaceOrTypeSymbol).GetInstance() builder.Add(DirectCast(item, NamespaceOrTypeSymbol)) Me._dictionary(name) = builder End If builder.Add(symbol) Else Me._dictionary(name) = symbol End If End Sub Public Function CreateMap() As Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol)) Dim result As New Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol))(Me._dictionary.Count, IdentifierComparison.Comparer) For Each kvp In Me._dictionary Dim value As Object = kvp.Value Dim members As ImmutableArray(Of NamespaceOrTypeSymbol) Dim builder = TryCast(value, ArrayBuilder(Of NamespaceOrTypeSymbol)) If builder IsNot Nothing Then Debug.Assert(builder.Count > 1) Dim hasNamespaces As Boolean = False For i = 0 To builder.Count - 1 If builder(i).Kind = SymbolKind.Namespace Then hasNamespaces = True Exit For End If Next If hasNamespaces Then members = builder.ToImmutable() Else members = StaticCast(Of NamespaceOrTypeSymbol).From(builder.ToDowncastedImmutable(Of NamedTypeSymbol)()) End If builder.Free() Else Dim symbol = DirectCast(value, NamespaceOrTypeSymbol) If symbol.Kind = SymbolKind.Namespace Then members = ImmutableArray.Create(Of NamespaceOrTypeSymbol)(symbol) Else members = StaticCast(Of NamespaceOrTypeSymbol).From(ImmutableArray.Create(Of NamedTypeSymbol)(DirectCast(symbol, NamedTypeSymbol))) End If End If result.Add(kvp.Key, members) Next Return result End Function End Structure Private Function BuildSymbol(decl As MergedNamespaceOrTypeDeclaration) As NamespaceOrTypeSymbol Dim namespaceDecl = TryCast(decl, MergedNamespaceDeclaration) If namespaceDecl IsNot Nothing Then Return New SourceNamespaceSymbol(namespaceDecl, Me, _containingModule) Else Dim typeDecl = DirectCast(decl, MergedTypeDeclaration) #If DEBUG Then ' Ensure that the type declaration is either from user code or embedded ' code, but not merged across embedded code/user code boundary. Dim embedded = EmbeddedSymbolKind.Unset For Each ref In typeDecl.SyntaxReferences Dim refKind = ref.SyntaxTree.GetEmbeddedKind() If embedded <> EmbeddedSymbolKind.Unset Then Debug.Assert(embedded = refKind) Else embedded = refKind End If Next Debug.Assert(embedded <> EmbeddedSymbolKind.Unset) #End If Return SourceNamedTypeSymbol.Create(typeDecl, Me, _containingModule) End If End Function Private Function GetNameToTypeMembersMap() As Dictionary(Of String, ImmutableArray(Of NamedTypeSymbol)) If _nameToTypeMembersMap Is Nothing Then ' NOTE: This method depends on MakeNameToMembersMap() on creating a proper ' NOTE: type of the array, see comments in MakeNameToMembersMap() for details Dim dictionary As New Dictionary(Of String, ImmutableArray(Of NamedTypeSymbol))(CaseInsensitiveComparison.Comparer) Dim map As Dictionary(Of String, ImmutableArray(Of NamespaceOrTypeSymbol)) = Me.GetNameToMembersMap() For Each kvp In map Dim members As ImmutableArray(Of NamespaceOrTypeSymbol) = kvp.Value Dim hasType As Boolean = False Dim hasNamespace As Boolean = False For Each symbol In members If symbol.Kind = SymbolKind.NamedType Then hasType = True If hasNamespace Then Exit For End If Else Debug.Assert(symbol.Kind = SymbolKind.Namespace) hasNamespace = True If hasType Then Exit For End If End If Next If hasType Then If hasNamespace Then dictionary.Add(kvp.Key, members.OfType(Of NamedTypeSymbol).AsImmutable()) Else dictionary.Add(kvp.Key, members.As(Of NamedTypeSymbol)) End If End If Next Interlocked.CompareExchange(_nameToTypeMembersMap, dictionary, Nothing) End If Return _nameToTypeMembersMap End Function Public Overloads Overrides Function GetMembers() As ImmutableArray(Of Symbol) If (_lazyState And StateFlags.AllMembersIsSorted) <> 0 Then Return _lazyAllMembers Else Dim allMembers = Me.GetMembersUnordered() If allMembers.Length >= 2 Then allMembers = allMembers.Sort(LexicalOrderSymbolComparer.Instance) ImmutableInterlocked.InterlockedExchange(_lazyAllMembers, allMembers) End If ThreadSafeFlagOperations.Set(_lazyState, StateFlags.AllMembersIsSorted) Return allMembers End If End Function Friend Overloads Overrides Function GetMembersUnordered() As ImmutableArray(Of Symbol) If _lazyAllMembers.IsDefault Then Dim members = StaticCast(Of Symbol).From(Me.GetNameToMembersMap().Flatten()) ImmutableInterlocked.InterlockedCompareExchange(_lazyAllMembers, members, Nothing) End If #If DEBUG Then ' In DEBUG, swap first and last elements so that use of Unordered in a place it isn't warranted is caught ' more obviously. Return _lazyAllMembers.DeOrder() #Else Return _lazyAllMembers #End If End Function Public Overloads Overrides Function GetMembers(name As String) As ImmutableArray(Of Symbol) Dim members As ImmutableArray(Of NamespaceOrTypeSymbol) = Nothing If Me.GetNameToMembersMap().TryGetValue(name, members) Then Return ImmutableArray(Of Symbol).CastUp(members) Else Return ImmutableArray(Of Symbol).Empty End If End Function Friend Overrides Function GetTypeMembersUnordered() As ImmutableArray(Of NamedTypeSymbol) Return Me.GetNameToTypeMembersMap().Flatten() End Function Public Overloads Overrides Function GetTypeMembers() As ImmutableArray(Of NamedTypeSymbol) Return Me.GetNameToTypeMembersMap().Flatten(LexicalOrderSymbolComparer.Instance) End Function Public Overloads Overrides Function GetTypeMembers(name As String) As ImmutableArray(Of NamedTypeSymbol) Dim members As ImmutableArray(Of NamedTypeSymbol) = Nothing If Me.GetNameToTypeMembersMap().TryGetValue(name, members) Then Return members Else Return ImmutableArray(Of NamedTypeSymbol).Empty End If End Function ' This is very performance critical for type lookup. Public Overrides Function GetModuleMembers() As ImmutableArray(Of NamedTypeSymbol) If _lazyModuleMembers.IsDefault Then Dim moduleMembers = ArrayBuilder(Of NamedTypeSymbol).GetInstance() ' look at all child declarations to find the modules. For Each childDecl In _declaration.Children If childDecl.Kind = DeclarationKind.Module Then moduleMembers.AddRange(GetModuleMembers(childDecl.Name)) End If Next ImmutableInterlocked.InterlockedCompareExchange(_lazyModuleMembers, moduleMembers.ToImmutableAndFree(), Nothing) End If Return _lazyModuleMembers End Function Friend Overrides Function GetLexicalSortKey() As LexicalSortKey ' WARNING: this should not allocate memory! If Not _lazyLexicalSortKey.IsInitialized Then _lazyLexicalSortKey.SetFrom(_declaration.GetLexicalSortKey(Me.DeclaringCompilation)) End If Return _lazyLexicalSortKey End Function Public Overrides ReadOnly Property Locations As ImmutableArray(Of Location) Get Return StaticCast(Of Location).From(_declaration.NameLocations) End Get End Property Public Overrides ReadOnly Property DeclaringSyntaxReferences As ImmutableArray(Of SyntaxReference) Get Dim declarations As ImmutableArray(Of SingleNamespaceDeclaration) = _declaration.Declarations Dim builder As ArrayBuilder(Of SyntaxReference) = ArrayBuilder(Of SyntaxReference).GetInstance(declarations.Length) ' SyntaxReference in the namespace declaration points to the name node of the namespace decl node not ' namespace decl node we want to return. here we will wrap the original syntax reference in ' the translation syntax reference so that we can lazily manipulate a node return to the caller For Each decl In declarations Dim reference = decl.SyntaxReference If reference IsNot Nothing AndAlso Not reference.SyntaxTree.IsEmbeddedOrMyTemplateTree() Then builder.Add(New NamespaceDeclarationSyntaxReference(reference)) End If Next Return builder.ToImmutableAndFree() End Get End Property Friend Overrides Function IsDefinedInSourceTree(tree As SyntaxTree, definedWithinSpan As TextSpan?, Optional cancellationToken As CancellationToken = Nothing) As Boolean If Me.IsGlobalNamespace Then Return True Else ' Check if any namespace declaration block intersects with the given tree/span. For Each decl In _declaration.Declarations cancellationToken.ThrowIfCancellationRequested() Dim reference = decl.SyntaxReference If reference IsNot Nothing Then If Not reference.SyntaxTree.IsEmbeddedOrMyTemplateTree() Then Dim syntaxRef = New NamespaceDeclarationSyntaxReference(reference) Dim syntax = syntaxRef.GetSyntax(cancellationToken) If TypeOf syntax Is NamespaceStatementSyntax Then ' Get the parent NamespaceBlockSyntax syntax = syntax.Parent End If If IsDefinedInSourceTree(syntax, tree, definedWithinSpan, cancellationToken) Then Return True End If End If ElseIf decl.IsPartOfRootNamespace ' Root namespace is implicitly defined in every tree Return True End If Next Return False End If End Function ' Force all declaration errors to be generated Friend Overrides Sub GenerateDeclarationErrors(cancellationToken As CancellationToken) MyBase.GenerateDeclarationErrors(cancellationToken) ValidateDeclaration(Nothing, cancellationToken) ' Getting all the members will force declaration errors for contained stuff. GetMembers() End Sub ' Force all declaration errors In Tree to be generated Friend Sub GenerateDeclarationErrorsInTree(tree As SyntaxTree, filterSpanWithinTree As TextSpan?, cancellationToken As CancellationToken) ValidateDeclaration(tree, cancellationToken) ' Getting all the members will force declaration errors for contained stuff. GetMembers() End Sub ' Validate a namespace declaration. This is called for each namespace being declared, so ' for example, it is called twice on Namespace X.Y, once with "X" and once with "X.Y". ' It will also be called with the CompilationUnit. Private Sub ValidateDeclaration(tree As SyntaxTree, cancellationToken As CancellationToken) If (_lazyState And StateFlags.DeclarationValidated) <> 0 Then Return End If Dim diagnostics As DiagnosticBag = DiagnosticBag.GetInstance() Dim reportedNamespaceMismatch As Boolean = False ' Check for a few issues with namespace declaration. For Each syntaxRef In _declaration.SyntaxReferences If tree IsNot Nothing AndAlso syntaxRef.SyntaxTree IsNot tree Then Continue For End If Dim currentTree = syntaxRef.SyntaxTree Dim node As VisualBasicSyntaxNode = syntaxRef.GetVisualBasicSyntax() Select Case node.Kind Case SyntaxKind.IdentifierName ValidateNamespaceNameSyntax(DirectCast(node, IdentifierNameSyntax), diagnostics, reportedNamespaceMismatch) Case SyntaxKind.QualifiedName ValidateNamespaceNameSyntax(DirectCast(node, QualifiedNameSyntax).Right, diagnostics, reportedNamespaceMismatch) Case SyntaxKind.GlobalName ValidateNamespaceGlobalSyntax(DirectCast(node, GlobalNameSyntax), diagnostics) Case SyntaxKind.CompilationUnit ' nothing to validate Case Else Throw ExceptionUtilities.UnexpectedValue(node.Kind) End Select cancellationToken.ThrowIfCancellationRequested() Next If _containingModule.AtomicSetFlagAndStoreDiagnostics(_lazyState, StateFlags.DeclarationValidated, 0, diagnostics, CompilationStage.Declare) Then DeclaringCompilation.SymbolDeclaredEvent(Me) End If diagnostics.Free() End Sub ' Validate a particular namespace name. Private Sub ValidateNamespaceNameSyntax(node As SimpleNameSyntax, diagnostics As DiagnosticBag, ByRef reportedNamespaceMismatch As Boolean) If (node.Identifier.GetTypeCharacter() <> TypeCharacter.None) Then Dim diag = New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.ERR_TypecharNotallowed), node.GetLocation()) diagnostics.Add(diag) End If ' Warning should only be reported for the first mismatch for each namespace to ' avoid reporting a large number of warnings in projects with many files. ' This is by design ' TODO: do we really want to omit these warnings and display a new one after each fix? ' VS can display errors and warnings separately in the IDE, so it may be ok to flood the users with ' these warnings. If Not reportedNamespaceMismatch AndAlso String.Compare(node.Identifier.ValueText, Me.Name, StringComparison.Ordinal) <> 0 Then ' all namespace names from the declarations match following the VB identifier comparison rules, ' so we just need to check when they are not matching using case sensitive comparison. ' filename is the one where the correct declaration occurred in Dev10 ' TODO: report "related location" rather than including path in the message: Dim path = GetSourcePathForDeclaration() Dim diag = New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.WRN_NamespaceCaseMismatch3, node.Identifier.ValueText, Me.Name, path), node.GetLocation()) diagnostics.Add(diag) reportedNamespaceMismatch = True End If ' TODO: once the declarations are sorted, one might cache the filename if the first declaration matches the case. ' then GetFilenameForDeclaration is only needed if the mismatch occurs before any matching declaration. End Sub ' Validate that Global namespace name can't be nested inside another namespace. Private Sub ValidateNamespaceGlobalSyntax(node As GlobalNameSyntax, diagnostics As DiagnosticBag) Dim ancestorNode = node.Parent Dim seenNamespaceBlock As Boolean = False ' Go up the syntax hierarchy and make sure we only hit one namespace block (our own). While ancestorNode IsNot Nothing If ancestorNode.Kind = SyntaxKind.NamespaceBlock Then If seenNamespaceBlock Then ' Our namespace block is nested within another. That's a no-no. Dim diag = New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.ERR_NestedGlobalNamespace), node.GetLocation()) diagnostics.Add(diag) Else seenNamespaceBlock = True End If End If ancestorNode = ancestorNode.Parent End While End Sub ''' <summary> ''' Gets the filename of the first declaration that matches the given namespace name case sensitively. ''' </summary> Private Function GetSourcePathForDeclaration() As Object Debug.Assert(_declaration.Declarations.Length > 0) ' unfortunately we cannot initialize with the filename of the first declaration because that filename might be nothing. Dim path = Nothing For Each declaration In _declaration.Declarations If String.Compare(Me.Name, declaration.Name, StringComparison.Ordinal) = 0 Then If declaration.IsPartOfRootNamespace Then 'path = StringConstants.ProjectSettingLocationName path = New LocalizableErrorArgument(ERRID.IDS_ProjectSettingsLocationName) ElseIf declaration.SyntaxReference IsNot Nothing AndAlso declaration.SyntaxReference.SyntaxTree.FilePath IsNot Nothing Then Dim otherPath = declaration.SyntaxReference.SyntaxTree.FilePath If path Is Nothing Then path = otherPath ElseIf String.Compare(path.ToString, otherPath.ToString, StringComparison.Ordinal) > 0 Then path = otherPath End If End If End If Next Return path End Function ''' <summary> ''' Return the set of types that should be checked for presence of extension methods in order to build ''' a map of extension methods for the namespace. ''' </summary> Friend Overrides ReadOnly Property TypesToCheckForExtensionMethods As ImmutableArray(Of NamedTypeSymbol) Get If _containingModule.MightContainExtensionMethods Then ' Note that we are using GetModuleMembers because only Modules can contain extension methods in source. Return Me.GetModuleMembers() End If Return ImmutableArray(Of NamedTypeSymbol).Empty End Get End Property ''' <summary> ''' Does this namespace have multiple different different case-sensitive spellings ''' (i.e., "Namespace FOO" and "Namespace foo". Includes parent namespace(s). ''' </summary> Friend ReadOnly Property HasMultipleSpellings As Boolean Get Return (_lazyState And StateFlags.HasMultipleSpellings) <> 0 End Get End Property ''' <summary> ''' Get the fully qualified namespace name using the spelling used in the declaration enclosing the given ''' syntax tree and location. ''' I.e., if this namespace was declared with: ''' Namespace zAp ''' Namespace FOO.bar ''' 'location ''' End Namespace ''' End Namespace ''' Namespace ZAP ''' Namespace foo.bar ''' End Namespace ''' End Namespace ''' ''' It would return "ProjectNamespace.zAp.FOO.bar". ''' </summary> Friend Function GetDeclarationSpelling(tree As SyntaxTree, location As Integer) As String If Not HasMultipleSpellings Then ' Only one spelling. Just return that. Return ToDisplayString(SymbolDisplayFormat.QualifiedNameOnlyFormat) Else ' Since the declaration builder has already resolved things like "Global", qualified names, etc, ' just find the declaration that encloses the location (as opposed to recreating the name ' by walking the syntax) Dim containingDecl = _declaration.Declarations.FirstOrDefault(Function(decl) Dim nsBlock As NamespaceBlockSyntax = decl.GetNamespaceBlockSyntax() Return nsBlock IsNot Nothing AndAlso nsBlock.SyntaxTree Is tree AndAlso nsBlock.Span.Contains(location) End Function) If containingDecl Is Nothing Then ' Could be project namespace, which has no namespace block syntax. containingDecl = _declaration.Declarations.FirstOrDefault(Function(decl) decl.GetNamespaceBlockSyntax() Is Nothing) End If Dim containingDeclName = If(containingDecl IsNot Nothing, containingDecl.Name, Me.Name) Dim containingNamespace = TryCast(Me.ContainingNamespace, SourceNamespaceSymbol) Dim fullDeclName As String If containingNamespace IsNot Nothing AndAlso containingNamespace.Name <> "" Then fullDeclName = containingNamespace.GetDeclarationSpelling(tree, location) + "." + containingDeclName Else fullDeclName = containingDeclName End If Debug.Assert(IdentifierComparison.Equals(fullDeclName, ToDisplayString(SymbolDisplayFormat.QualifiedNameOnlyFormat))) Return fullDeclName End If End Function Public ReadOnly Property MergedDeclaration As MergedNamespaceDeclaration Get Return _declaration End Get End Property End Class End Namespace
apache-2.0
wubenqi/zutils
zutils/base/run_loop.cc
2073
// Copyright (c) 2012 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "base/run_loop.h" #include "base/bind.h" #if defined(OS_WIN) #include "base/message_loop/message_pump_dispatcher.h" #endif namespace base { RunLoop::RunLoop() : loop_(MessageLoop::current()), previous_run_loop_(NULL), run_depth_(0), run_called_(false), quit_called_(false), running_(false), quit_when_idle_received_(false), weak_factory_(this) { #if defined(OS_WIN) dispatcher_ = NULL; #endif } #if defined(OS_WIN) RunLoop::RunLoop(MessagePumpDispatcher* dispatcher) : loop_(MessageLoop::current()), previous_run_loop_(NULL), dispatcher_(dispatcher), run_depth_(0), run_called_(false), quit_called_(false), running_(false), quit_when_idle_received_(false), weak_factory_(this) { } #endif RunLoop::~RunLoop() { } void RunLoop::Run() { if (!BeforeRun()) return; loop_->RunHandler(); AfterRun(); } void RunLoop::RunUntilIdle() { quit_when_idle_received_ = true; Run(); } void RunLoop::Quit() { quit_called_ = true; if (running_ && loop_->run_loop_ == this) { // This is the inner-most RunLoop, so quit now. loop_->QuitNow(); } } base::Closure RunLoop::QuitClosure() { return base::Bind(&RunLoop::Quit, weak_factory_.GetWeakPtr()); } bool RunLoop::BeforeRun() { DCHECK(!run_called_); run_called_ = true; // Allow Quit to be called before Run. if (quit_called_) return false; // Push RunLoop stack: previous_run_loop_ = loop_->run_loop_; run_depth_ = previous_run_loop_? previous_run_loop_->run_depth_ + 1 : 1; loop_->run_loop_ = this; running_ = true; return true; } void RunLoop::AfterRun() { running_ = false; // Pop RunLoop stack: loop_->run_loop_ = previous_run_loop_; // Execute deferred QuitNow, if any: if (previous_run_loop_ && previous_run_loop_->quit_called_) loop_->QuitNow(); } } // namespace base
apache-2.0
tarak/chef-provisioning-aws
lib/chef/resource/aws_key_pair.rb
796
require 'chef/provisioning/aws_driver/aws_resource' class Chef::Resource::AwsKeyPair < Chef::Provisioning::AWSDriver::AWSResource aws_sdk_type AWS::EC2::KeyPair, id: :name # Private key to use as input (will be generated if it does not exist) attribute :private_key_path, :kind_of => String # Public key to use as input (will be generated if it does not exist) attribute :public_key_path, :kind_of => String # List of parameters to the private_key resource used for generation of the key attribute :private_key_options, :kind_of => Hash # TODO what is the right default for this? attribute :allow_overwrite, :kind_of => [TrueClass, FalseClass], :default => false def aws_object result = driver.ec2.key_pairs[name] result && result.exists? ? result : nil end end
apache-2.0
HubSpot/cglib
cglib/src/main/java/net/sf/cglib/proxy/Mixin.java
8394
/* * Copyright 2003,2004 The Apache Software Foundation * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package net.sf.cglib.proxy; import java.security.ProtectionDomain; import java.lang.reflect.Constructor; import java.lang.reflect.Modifier; import java.util.*; import net.sf.cglib.core.*; import org.objectweb.asm.ClassVisitor; /** * <code>Mixin</code> allows * multiple objects to be combined into a single larger object. The * methods in the generated object simply call the original methods in the * underlying "delegate" objects. * @author Chris Nokleberg * @version $Id: Mixin.java,v 1.7 2005/09/27 11:42:27 baliuka Exp $ */ abstract public class Mixin { private static final MixinKey KEY_FACTORY = (MixinKey)KeyFactory.create(MixinKey.class, KeyFactory.CLASS_BY_NAME); private static final Map ROUTE_CACHE = Collections.synchronizedMap(new HashMap()); public static final int STYLE_INTERFACES = 0; public static final int STYLE_BEANS = 1; public static final int STYLE_EVERYTHING = 2; interface MixinKey { public Object newInstance(int style, String[] classes, int[] route); } abstract public Mixin newInstance(Object[] delegates); /** * Helper method to create an interface mixin. For finer control over the * generated instance, use a new instance of <code>Mixin</code> * instead of this static method. * TODO */ public static Mixin create(Object[] delegates) { Generator gen = new Generator(); gen.setDelegates(delegates); return gen.create(); } /** * Helper method to create an interface mixin. For finer control over the * generated instance, use a new instance of <code>Mixin</code> * instead of this static method. * TODO */ public static Mixin create(Class[] interfaces, Object[] delegates) { Generator gen = new Generator(); gen.setClasses(interfaces); gen.setDelegates(delegates); return gen.create(); } public static Mixin createBean(Object[] beans) { return createBean(null, beans); } /** * Helper method to create a bean mixin. For finer control over the * generated instance, use a new instance of <code>Mixin</code> * instead of this static method. * TODO */ public static Mixin createBean(ClassLoader loader,Object[] beans) { Generator gen = new Generator(); gen.setStyle(STYLE_BEANS); gen.setDelegates(beans); gen.setClassLoader(loader); return gen.create(); } public static class Generator extends AbstractClassGenerator { private static final Source SOURCE = new Source(Mixin.class.getName()); private Class[] classes; private Object[] delegates; private int style = STYLE_INTERFACES; private int[] route; public Generator() { super(SOURCE); } protected ClassLoader getDefaultClassLoader() { return classes[0].getClassLoader(); // is this right? } protected ProtectionDomain getProtectionDomain() { return ReflectUtils.getProtectionDomain(classes[0]); } public void setStyle(int style) { switch (style) { case STYLE_INTERFACES: case STYLE_BEANS: case STYLE_EVERYTHING: this.style = style; break; default: throw new IllegalArgumentException("Unknown mixin style: " + style); } } public void setClasses(Class[] classes) { this.classes = classes; } public void setDelegates(Object[] delegates) { this.delegates = delegates; } public Mixin create() { if (classes == null && delegates == null) { throw new IllegalStateException("Either classes or delegates must be set"); } switch (style) { case STYLE_INTERFACES: if (classes == null) { Route r = route(delegates); classes = r.classes; route = r.route; } break; case STYLE_BEANS: // fall-through case STYLE_EVERYTHING: if (classes == null) { classes = ReflectUtils.getClasses(delegates); } else { if (delegates != null) { Class[] temp = ReflectUtils.getClasses(delegates); if (classes.length != temp.length) { throw new IllegalStateException("Specified classes are incompatible with delegates"); } for (int i = 0; i < classes.length; i++) { if (!classes[i].isAssignableFrom(temp[i])) { throw new IllegalStateException("Specified class " + classes[i] + " is incompatible with delegate class " + temp[i] + " (index " + i + ")"); } } } } } setNamePrefix(classes[ReflectUtils.findPackageProtected(classes)].getName()); return (Mixin)super.create(KEY_FACTORY.newInstance(style, ReflectUtils.getNames( classes ), route)); } public void generateClass(ClassVisitor v) { switch (style) { case STYLE_INTERFACES: new MixinEmitter(v, getClassName(), classes, route); break; case STYLE_BEANS: new MixinBeanEmitter(v, getClassName(), classes); break; case STYLE_EVERYTHING: new MixinEverythingEmitter(v, getClassName(), classes); break; } } protected Object firstInstance(Class type) { return ((Mixin)ReflectUtils.newInstance(type)).newInstance(delegates); } protected Object nextInstance(Object instance) { return ((Mixin)instance).newInstance(delegates); } } public static Class[] getClasses(Object[] delegates) { return (Class[])route(delegates).classes.clone(); } // public static int[] getRoute(Object[] delegates) { // return (int[])route(delegates).route.clone(); // } private static Route route(Object[] delegates) { Object key = ClassesKey.create(delegates); Route route = (Route)ROUTE_CACHE.get(key); if (route == null) { ROUTE_CACHE.put(key, route = new Route(delegates)); } return route; } private static class Route { private Class[] classes; private int[] route; Route(Object[] delegates) { Map map = new HashMap(); ArrayList collect = new ArrayList(); for (int i = 0; i < delegates.length; i++) { Class delegate = delegates[i].getClass(); collect.clear(); ReflectUtils.addAllInterfaces(delegate, collect); for (Iterator it = collect.iterator(); it.hasNext();) { Class iface = (Class)it.next(); if (!map.containsKey(iface)) { map.put(iface, new Integer(i)); } } } classes = new Class[map.size()]; route = new int[map.size()]; int index = 0; for (Iterator it = map.keySet().iterator(); it.hasNext();) { Class key = (Class)it.next(); classes[index] = key; route[index] = ((Integer)map.get(key)).intValue(); index++; } } } }
apache-2.0
ueshin/apache-spark
resource-managers/kubernetes/core/src/main/scala/org/apache/spark/scheduler/cluster/k8s/KubernetesClusterMessage.scala
942
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.spark.scheduler.cluster.k8s import java.io.Serializable case class GenerateExecID(podName: String) extends Serializable
apache-2.0
cmebarrow/gateway
transport/http/src/test/java/org/kaazing/gateway/transport/http/bridge/filter/HttpxeProtocolFilterTest.java
66272
/** * Copyright 2007-2016, Kaazing Corporation. All rights reserved. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.kaazing.gateway.transport.http.bridge.filter; import static java.util.Arrays.asList; import static java.util.Collections.emptyList; import static org.jboss.netty.util.CharsetUtil.UTF_8; import static org.kaazing.gateway.transport.http.HttpMethod.GET; import static org.kaazing.gateway.transport.http.HttpMethod.POST; import static org.kaazing.gateway.transport.http.HttpStatus.CLIENT_NOT_FOUND; import static org.kaazing.gateway.transport.http.HttpStatus.CLIENT_UNAUTHORIZED; import static org.kaazing.gateway.transport.http.HttpStatus.REDIRECT_FOUND; import static org.kaazing.gateway.transport.http.HttpStatus.REDIRECT_MULTIPLE_CHOICES; import static org.kaazing.gateway.transport.http.HttpStatus.REDIRECT_NOT_MODIFIED; import static org.kaazing.gateway.transport.http.HttpStatus.SUCCESS_OK; import static org.kaazing.gateway.transport.http.HttpVersion.HTTP_1_0; import static org.kaazing.gateway.transport.http.HttpVersion.HTTP_1_1; import static org.kaazing.gateway.transport.http.bridge.HttpContentMessage.EMPTY; import static org.kaazing.gateway.util.Utils.join; import java.net.URI; import java.nio.ByteBuffer; import java.util.Arrays; import java.util.Collections; import java.util.List; import java.util.Set; import org.apache.mina.core.filterchain.IoFilter.NextFilter; import org.apache.mina.core.filterchain.IoFilterChain; import org.apache.mina.core.write.DefaultWriteRequest; import org.apache.mina.filter.codec.ProtocolCodecException; import org.junit.Test; import org.kaazing.gateway.transport.http.DefaultHttpCookie; import org.kaazing.gateway.transport.http.HttpAcceptSession; import org.kaazing.gateway.transport.http.HttpConnectSession; import org.kaazing.gateway.transport.http.HttpCookie; import org.kaazing.gateway.transport.http.HttpHeaders; import org.kaazing.gateway.transport.http.HttpStatus; import org.kaazing.gateway.transport.http.bridge.HttpContentMessage; import org.kaazing.gateway.transport.http.bridge.HttpRequestMessage; import org.kaazing.gateway.transport.http.bridge.HttpResponseMessage; import org.kaazing.gateway.transport.test.Expectations; import org.kaazing.test.util.Mockery; import org.kaazing.mina.core.buffer.IoBufferEx; import org.kaazing.mina.core.buffer.SimpleBufferAllocator; public class HttpxeProtocolFilterTest { private Mockery context = new Mockery(); private HttpAcceptSession serverSession = context.mock(HttpAcceptSession.class); private HttpConnectSession clientSession = context.mock(HttpConnectSession.class); @SuppressWarnings("unchecked") private Set<HttpCookie> writeCookies = context.mock(Set.class); private IoFilterChain filterChain = context.mock(IoFilterChain.class); private NextFilter nextFilter = context.mock(NextFilter.class); @Test public void shouldWriteResponseWithInsertedStatusNotFound() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(CLIENT_NOT_FOUND); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(CLIENT_NOT_FOUND); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL); will(returnValue(null)); oneOf(serverSession).setWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL, "no-cache"); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(CLIENT_NOT_FOUND); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithoutInsertingStatusClientUnauthorized() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(CLIENT_UNAUTHORIZED); expectedResponse.setHeader("WWW-Authenticate", "Basic realm=\"WallyWorld\""); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL); will(returnValue(null)); oneOf(serverSession).setWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL, "no-cache"); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(CLIENT_UNAUTHORIZED); httpResponse.setHeader("WWW-Authenticate", "Basic realm=\"WallyWorld\""); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithoutInsertingStatusRedirectFound() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_FOUND); expectedResponse.setHeader("Location", "https://www.w3.org/"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL); will(returnValue(null)); oneOf(serverSession).setWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL, "no-cache"); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(REDIRECT_FOUND); httpResponse.setHeader("Location", "https://www.w3.org/"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } private static HttpBufferAllocator httpBufferAllocator = new HttpBufferAllocator(SimpleBufferAllocator.BUFFER_ALLOCATOR); private static IoBufferEx wrap(byte[] array) { return httpBufferAllocator.wrap(ByteBuffer.wrap(array)); } @Test public void shouldWriteResponseWithoutInsertingStatusRedirectMultipleChoices() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_MULTIPLE_CHOICES); expectedResponse.setHeader("Location", "https://www.w3.org/"); String[] alternatives = new String[] { "https://www.w3.org/", "http://www.w3.org/" }; byte[] array = join(alternatives, "\n").getBytes(UTF_8); final HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), true); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL); will(returnValue(null)); oneOf(serverSession).setWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL, "no-cache"); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(REDIRECT_MULTIPLE_CHOICES); httpResponse.setHeader("Location", "https://www.w3.org/"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), true); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedCookies() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_FOUND); expectedResponse.setReason("Cross-Origin Redirect"); expectedResponse.setHeader("Location", "https://www.w3.org/"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL); will(returnValue(null)); oneOf(serverSession).setWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL, "no-cache"); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).setWriteHeaders(with(stringMatching("Set-Cookie")), with(stringListMatching("KSSOID=12345;"))); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(REDIRECT_FOUND); httpResponse.setReason("Cross-Origin Redirect"); httpResponse.setHeader("Location", "https://www.w3.org/"); httpResponse.setHeader("Set-Cookie", "KSSOID=12345;"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedTextPlainContentType() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithTextContentTypeInsertedAsTextPlain() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=windows-1252"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedAccessControlAllowHeaders() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=windows-1252"); oneOf(serverSession).setWriteHeaders(with(stringMatching("Access-Control-Allow-Headers")), with(stringListMatching("x-websocket-extensions"))); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); httpResponse.setHeader("Access-Control-Allow-Headers", "x-websocket-extensions"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedContentEncoding() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=windows-1252"); oneOf(serverSession).setWriteHeaders(with(stringMatching("Content-Encoding")), with(stringListMatching("gzip"))); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); httpResponse.setHeader("Content-Encoding", "gzip"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedCacheControl() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_FOUND); expectedResponse.setReason("Cross-Origin Redirect"); expectedResponse.setHeader("Location", "https://www.w3.org/"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).setWriteHeaders(with(stringMatching("Cache-Control")), with(stringListMatching("private"))); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getWriteHeader(HttpHeaders.HEADER_CACHE_CONTROL); will(returnValue("private")); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(HttpStatus.REDIRECT_FOUND); httpResponse.setReason("Cross-Origin Redirect"); httpResponse.setHeader("Cache-Control", "private"); httpResponse.setHeader("Location", "https://www.w3.org/"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedContentTypeApplicationOctetStream() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "application/octet-stream"); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "application/octet-stream"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "application/octet-stream"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithIncompleteContent() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); byte[] array = "Hello, world".getBytes(UTF_8); HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), false); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { allowing(serverSession).getWriteHeader("Content-Length"); will(returnValue(null)); allowing(serverSession).setWriteHeader("Content-Length", "0"); oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), false); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithInsertedTransferEncodingChunked() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); byte[] array = "Hello, world".getBytes(UTF_8); HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), false, true, false); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { allowing(serverSession).getWriteHeader("Content-Length"); will(returnValue(null)); allowing(serverSession).setWriteHeader("Content-Length", "0"); oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeaders(with(stringMatching("Transfer-Encoding")), with(stringListMatching("chunked"))); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); httpResponse.setHeader("Transfer-Encoding", "chunked"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), false, true, false); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseWithCompleteContent() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); byte[] array = "Hello, world".getBytes(UTF_8); HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), true); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { allowing(serverSession).getWriteHeader("Content-Length"); will(returnValue(null)); allowing(serverSession).setWriteHeader("Content-Length", "0"); oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), true); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldWriteResponseAfterPrependingContentLengthFilter() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setContent(new HttpContentMessage(wrap(new byte[0]), false)); byte[] array = "Hello, world".getBytes(UTF_8); final HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), true); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { oneOf(serverSession).setVersion(HTTP_1_1); oneOf(serverSession).setStatus(SUCCESS_OK); oneOf(serverSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(serverSession).setWriteHeaders(with(stringMatching("Content-Length")), with(stringListMatching("12"))); allowing(serverSession).getWriteHeader("Content-Length"); will(returnValue("12")); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(serverSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with(equal("http#content-length")), with(aNonNull(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(serverSession), with(hasMessage(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Length", "12"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), true); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.filterWrite(nextFilter, serverSession, new DefaultWriteRequest(httpResponse)); context.assertIsSatisfied(); } @Test public void shouldReceivePostRequestWithExtractedHeadersAndContent() throws Exception { byte[] array = ">|<".getBytes(UTF_8); final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(POST); expectedRequest.setRequestURI(URI.create("/kerberos5/;api/get-cookies?.kv=10.05")); expectedRequest.setHeader("Accept", "*/*"); expectedRequest.setHeader("Accept-Language", "en-us"); expectedRequest.addHeader("Accept-Language", "fr-fr"); expectedRequest.setHeader("Content-Length", "3"); expectedRequest.setHeader("Content-Type", "text/plain"); expectedRequest.setHeader("Host", "gateway.kzng.net:8003"); expectedRequest.setHeader("Referer", "http://gateway.kzng.net:8003/?.kr=xsa"); expectedRequest.setHeader("User-Agent", "Shockwave Flash"); expectedRequest.setHeader("X-Origin", "http://gateway.kzng.net:8000"); expectedRequest.setHeader("x-flash-version", "9,0,124,0"); expectedRequest.setContent(new HttpContentMessage(wrap(array), true)); context.checking(new Expectations() { { oneOf(serverSession).getVersion(); will(returnValue(HTTP_1_1)); oneOf(serverSession).getMethod(); will(returnValue(POST)); oneOf(serverSession).getRequestURI(); will(returnValue(URI.create("/kerberos5/;api/get-cookies?.kv=10.05"))); oneOf(serverSession).getReadHeaderNames(); will(returnValue(asList("Accept", "Accept-Language", "Content-Length", "Content-Type", "Host", "X-Origin", "Referer", "User-Agent", "x-flash-version"))); oneOf(serverSession).getReadHeaders(with("Accept")); will(returnValue(Collections.singletonList("*/*"))); oneOf(serverSession).getReadHeaders(with("Accept-Language")); will(returnValue(asList("en-us","fr-fr"))); oneOf(serverSession).getReadHeader(with("Content-Type")); will(returnValue("application/x-message-http")); oneOf(serverSession).getReadHeaders(with("Host")); will(returnValue(Collections.singletonList("gateway.kzng.net:8003"))); oneOf(serverSession).getReadHeaders(with("Referer")); will(returnValue(Collections.singletonList("http://gateway.kzng.net:8003/?.kr=xsa"))); oneOf(serverSession).getReadHeaders(with("User-Agent")); will(returnValue(Collections.singletonList("Shockwave Flash"))); oneOf(serverSession).getReadHeaders(with("X-Origin")); will(returnValue(Collections.singletonList("http://gateway.kzng.net:8000"))); oneOf(serverSession).getReadHeaders(with("x-flash-version")); will(returnValue(Collections.singletonList("9,0,124,0"))); oneOf(serverSession).getReadCookies(); will(returnValue(emptyList())); oneOf(nextFilter).messageReceived(with(serverSession), with(equal(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(POST); httpRequest.setRequestURI(URI.create("/kerberos5/;api/get-cookies?.kv=10.05")); httpRequest.setHeader("Content-Length", "3"); httpRequest.setHeader("Content-Type", "text/plain"); httpRequest.setContent(new HttpContentMessage(wrap(array), true)); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.messageReceived(nextFilter, serverSession, httpRequest); context.assertIsSatisfied(); } @Test public void shouldReceiveGetRequestWithExtractedHeadersIncludingMultiValuedHeaderAndCookie() throws Exception { final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(GET); expectedRequest.setRequestURI(URI.create("/")); expectedRequest.setHeader("Authorization", "restricted-usage"); expectedRequest.setHeader("X-Header", "value1"); expectedRequest.addHeader("X-Header", "value2"); expectedRequest.addCookie(new DefaultHttpCookie("KSSOID", "0123456789abcdef")); expectedRequest.setContent(EMPTY); context.checking(new Expectations() { { oneOf(serverSession).getVersion(); will(returnValue(HTTP_1_1)); oneOf(serverSession).getMethod(); will(returnValue(POST)); oneOf(serverSession).getRequestURI(); will(returnValue(URI.create("/"))); oneOf(serverSession).getReadHeaderNames(); will(returnValue(asList("Content-Length", "Content-Type", "X-Header"))); oneOf(serverSession).getReadHeader(with("Content-Type")); will(returnValue("application/x-message-http")); oneOf(serverSession).getReadHeaders(with("X-Header")); will(returnValue(asList("value1","value2"))); oneOf(serverSession).getReadCookies(); will(returnValue(Collections.singletonList(new DefaultHttpCookie("KSSOID", "0123456789abcdef")))); oneOf(nextFilter).messageReceived(with(serverSession), with(equal(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(GET); httpRequest.setRequestURI(URI.create("/")); httpRequest.setHeader("Authorization", "restricted-usage"); httpRequest.setContent(EMPTY); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.messageReceived(nextFilter, serverSession, httpRequest); context.assertIsSatisfied(); } @Test (expected = ProtocolCodecException.class) public void shouldRejectReceivedRequestWithInconsistentURI() throws Exception { final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(GET); expectedRequest.setRequestURI(URI.create("/")); expectedRequest.setContent(EMPTY); context.checking(new Expectations() { { oneOf(serverSession).getVersion(); will(returnValue(HTTP_1_1)); oneOf(serverSession).getMethod(); will(returnValue(POST)); oneOf(serverSession).getRequestURI(); will(returnValue(URI.create("/"))); oneOf(serverSession).getReadHeaderNames(); will(returnValue(asList("Content-Length", "Content-Type"))); oneOf(serverSession).getReadHeader(with("Content-Length")); will(returnValue("102")); oneOf(serverSession).getReadHeader(with("Content-Type")); will(returnValue("application/x-message-http")); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(nextFilter).messageReceived(with(serverSession), with(equal(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(GET); httpRequest.setRequestURI(URI.create("/different/path")); httpRequest.setContent(EMPTY); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.messageReceived(nextFilter, serverSession, httpRequest); context.assertIsSatisfied(); } @Test (expected = ProtocolCodecException.class) public void shouldRejectReceivedRequestWithInconsistentVersion() throws Exception { final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(GET); expectedRequest.setRequestURI(URI.create("/")); expectedRequest.setContent(EMPTY); context.checking(new Expectations() { { oneOf(serverSession).getVersion(); will(returnValue(HTTP_1_1)); oneOf(serverSession).getMethod(); will(returnValue(POST)); oneOf(serverSession).getRequestURI(); will(returnValue(URI.create("/"))); oneOf(serverSession).getReadHeaderNames(); will(returnValue(asList("Content-Length", "Content-Type"))); oneOf(serverSession).getReadHeader(with("Content-Length")); will(returnValue("102")); oneOf(serverSession).getReadHeader(with("Content-Type")); will(returnValue("application/x-message-http")); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(nextFilter).messageReceived(with(serverSession), with(equal(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_0); httpRequest.setMethod(GET); httpRequest.setRequestURI(URI.create("/")); httpRequest.setContent(EMPTY); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.messageReceived(nextFilter, serverSession, httpRequest); context.assertIsSatisfied(); } @Test (expected = ProtocolCodecException.class) public void shouldRejectReceivedRequestWithInvalidHeader() throws Exception { final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(GET); expectedRequest.setRequestURI(URI.create("/")); expectedRequest.setContent(EMPTY); context.checking(new Expectations() { { oneOf(serverSession).getVersion(); will(returnValue(HTTP_1_1)); oneOf(serverSession).getMethod(); will(returnValue(POST)); oneOf(serverSession).getRequestURI(); will(returnValue(URI.create("/"))); oneOf(serverSession).getReadHeaderNames(); will(returnValue(asList("Content-Length", "Content-Type"))); oneOf(serverSession).getReadHeader(with("Content-Length")); will(returnValue("102")); oneOf(serverSession).getReadHeader(with("Content-Type")); will(returnValue("application/x-message-http")); oneOf(serverSession).getStatus(); will(returnValue(SUCCESS_OK)); oneOf(nextFilter).messageReceived(with(serverSession), with(equal(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(GET); httpRequest.setRequestURI(URI.create("/")); httpRequest.setHeader("Accept-Charset", "value"); httpRequest.setContent(EMPTY); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(false); filter.messageReceived(nextFilter, serverSession, httpRequest); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithStatusRedirectNotModified() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_NOT_MODIFIED); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadHeaderNames(); will(returnValue(emptyList())); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(REDIRECT_NOT_MODIFIED); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithStatusClientUnauthorized() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(CLIENT_UNAUTHORIZED); expectedResponse.setHeader("WWW-Autheticate", "Basic realm=\"WallyWorld\""); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadHeaderNames(); will(returnValue(emptyList())); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(CLIENT_UNAUTHORIZED); httpResponse.setHeader("WWW-Autheticate", "Basic realm=\"WallyWorld\""); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithExtractedCookies() throws Exception { final List<HttpCookie> expectedCookies = Collections.singletonList(new DefaultHttpCookie("KSSOID", "12345")); final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_FOUND); expectedResponse.setReason("Cross-Origin Redirect"); expectedResponse.setHeader("Location", "https://www.w3.org/"); expectedResponse.setCookies(expectedCookies); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadHeaderNames(); will(returnValue(Collections.<String>emptySet())); oneOf(clientSession).getReadCookies(); will(returnValue(expectedCookies)); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(REDIRECT_FOUND); httpResponse.setReason("Cross-Origin Redirect"); httpResponse.setHeader("Location", "https://www.w3.org/"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithContentTypeTextPlain() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(Collections.singletonList("Content-Type"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithTextContentTypeInsertedAsTextPlain() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(Collections.singletonList("Content-Type"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain;charset=windows-1252")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test (expected = ProtocolCodecException.class) public void shouldRejectReceivedResponseWithIncompatibleTextContentType() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(Collections.singletonList("Content-Type"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/pdf")); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithExtractedAccessControlAllowHeaders() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); expectedResponse.setHeader("Access-Control-Allow-Headers", "x-websocket-extensions"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(asList("Content-Type", "Access-Control-Allow-Headers"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain;charset=windows-1252")); oneOf(clientSession).getReadHeader("Access-Control-Allow-Headers"); will(returnValue("x-websocket-extensions")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithExtractedContentEncoding() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); expectedResponse.setHeader("Content-Encoding", "gzip"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(asList("Content-Type", "Content-Encoding"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain;charset=windows-1252")); oneOf(clientSession).getReadHeader("Content-Encoding"); will(returnValue("gzip")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/xyz;charset=windows-1252"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithExtractedCacheControl() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(REDIRECT_FOUND); expectedResponse.setHeader("Location", "https://www.w3.org/"); expectedResponse.setHeader("Cache-Control", "private"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(asList("Content-Type", "Cache-Control"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain;charset=windows-1252")); oneOf(clientSession).getReadHeader("Cache-Control"); will(returnValue("private")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(REDIRECT_FOUND); httpResponse.setHeader("Location", "https://www.w3.org/"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithExtractedContentTypeApplicationOctetStream() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "application/octet-stream"); expectedResponse.setHeader("Content-Length", "0"); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(asList("Content-Type", "Content-Length"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("application/octet-stream")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "application/octet-stream"); httpResponse.setHeader("Content-Length", "0"); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithIncompleteContent() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); byte[] array = "Hello, world".getBytes(UTF_8); HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), false); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(emptyList())); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), false); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithExtractedTransferEncodingChunked() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); expectedResponse.setHeader("Transfer-Encoding", "chunked"); byte[] array = "Hello, world".getBytes(UTF_8); HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), false, true, false); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(asList("Transfer-Encoding", "Content-Type"))); oneOf(clientSession).getReadHeader("Transfer-Encoding"); will(returnValue("chunked")); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain;charset=UTF-8")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), false, true, false); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldReceiveResponseWithCompleteContent() throws Exception { final HttpResponseMessage expectedResponse = new HttpResponseMessage(); expectedResponse.setVersion(HTTP_1_1); expectedResponse.setStatus(SUCCESS_OK); expectedResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); byte[] array = "Hello, world".getBytes(UTF_8); HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), true); expectedResponse.setContent(expectedContent); context.checking(new Expectations() { { allowing(clientSession).getVersion(); will(returnValue(HTTP_1_1)); allowing(clientSession).getStatus(); will(returnValue(SUCCESS_OK)); allowing(clientSession).getReadCookies(); will(returnValue(emptyList())); oneOf(clientSession).getReadHeaderNames(); will(returnValue(Collections.singletonList("Content-Type"))); oneOf(clientSession).getReadHeader("Content-Type"); will(returnValue("text/plain;charset=UTF-8")); oneOf(nextFilter).messageReceived(with(clientSession), with(equal(expectedResponse))); } }); HttpResponseMessage httpResponse = new HttpResponseMessage(); httpResponse.setVersion(HTTP_1_1); httpResponse.setStatus(SUCCESS_OK); httpResponse.setHeader("Content-Type", "text/plain;charset=UTF-8"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), true); httpResponse.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.messageReceived(nextFilter, clientSession, httpResponse); context.assertIsSatisfied(); } @Test public void shouldWriteRequestAfterPrependingContentLengthFilter() throws Exception { final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(POST); expectedRequest.setRequestURI(URI.create("/")); expectedRequest.setContent(new HttpContentMessage(wrap(new byte[0]), false)); byte[] array = "Hello, world".getBytes(UTF_8); final HttpContentMessage expectedContent = new HttpContentMessage(wrap(array), true); expectedRequest.setContent(expectedContent); context.checking(new Expectations() { { oneOf(clientSession).setVersion(HTTP_1_1); oneOf(clientSession).setMethod(POST); oneOf(clientSession).setRequestURI(URI.create("/")); oneOf(clientSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(clientSession).setWriteHeader("Content-Length", "12"); oneOf(clientSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with("http#content-length"), with(any(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(clientSession), with(hasMessage(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(POST); httpRequest.setRequestURI(URI.create("/")); httpRequest.setHeader("Content-Length", "12"); HttpContentMessage httpContent = new HttpContentMessage(wrap(array), true); httpRequest.setContent(httpContent); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.filterWrite(nextFilter, clientSession, new DefaultWriteRequest(httpRequest)); context.assertIsSatisfied(); } @Test public void shouldWritePostRequestWithInsertedHeadersAndContent() throws Exception { byte[] array = ">|<".getBytes(UTF_8); final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(POST); expectedRequest.setRequestURI(URI.create("/kerberos5/;api/get-cookies?.kv=10.05")); expectedRequest.setHeader("Content-Type", "text/plain"); expectedRequest.setContent(new HttpContentMessage(wrap(array), true)); context.checking(new Expectations() { { oneOf(clientSession).setVersion(HTTP_1_1); oneOf(clientSession).setMethod(POST); oneOf(clientSession).setRequestURI(URI.create("/kerberos5/;api/get-cookies?.kv=10.05")); oneOf(clientSession).setWriteHeader("Accept", "*/*"); oneOf(clientSession).setWriteHeader("Accept-Language", "en-us"); oneOf(clientSession).setWriteHeader("Content-Length", "3"); oneOf(clientSession).setWriteHeader("Content-Type", "text/plain"); oneOf(clientSession).setWriteHeader("Host", "gateway.kzng.net:8003"); oneOf(clientSession).setWriteHeader("Referer", "http://gateway.kzng.net:8003/?.kr=xsa"); oneOf(clientSession).setWriteHeader("User-Agent", "Shockwave Flash"); oneOf(clientSession).setWriteHeader("X-Origin", "http://gateway.kzng.net:8000"); oneOf(clientSession).setWriteHeader("x-flash-version", "9,0,124,0"); oneOf(clientSession).getFilterChain(); will(returnValue(filterChain)); oneOf(filterChain).addFirst(with("http#content-length"), with(any(HttpContentLengthAdjustmentFilter.class))); oneOf(nextFilter).filterWrite(with(clientSession), with(hasMessage(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(POST); httpRequest.setRequestURI(URI.create("/kerberos5/;api/get-cookies?.kv=10.05")); httpRequest.setHeader("Accept", "*/*"); httpRequest.setHeader("Accept-Language", "en-us"); httpRequest.setHeader("Content-Length", "3"); httpRequest.setHeader("Content-Type", "text/plain"); httpRequest.setHeader("Host", "gateway.kzng.net:8003"); httpRequest.setHeader("Referer", "http://gateway.kzng.net:8003/?.kr=xsa"); httpRequest.setHeader("User-Agent", "Shockwave Flash"); httpRequest.setHeader("X-Origin", "http://gateway.kzng.net:8000"); httpRequest.setHeader("x-flash-version", "9,0,124,0"); httpRequest.setContent(new HttpContentMessage(wrap(array), true)); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.filterWrite(nextFilter, clientSession, new DefaultWriteRequest(httpRequest)); context.assertIsSatisfied(); } @Test public void shouldWriteGetRequestWithInsertedHeadersAndCookies() throws Exception { final HttpRequestMessage expectedRequest = new HttpRequestMessage(); expectedRequest.setVersion(HTTP_1_1); expectedRequest.setMethod(GET); expectedRequest.setRequestURI(URI.create("/")); expectedRequest.setHeader("Authorization", "restricted-usage"); expectedRequest.setContent(EMPTY); context.checking(new Expectations() { { oneOf(clientSession).setVersion(HTTP_1_1); oneOf(clientSession).setMethod(POST); oneOf(clientSession).setRequestURI(URI.create("/")); oneOf(clientSession).setWriteHeader("Content-Type", "text/plain;charset=UTF-8"); oneOf(clientSession).setWriteHeader("X-Header", "value"); oneOf(nextFilter).filterWrite(with(clientSession), with(hasMessage(expectedRequest))); } }); HttpRequestMessage httpRequest = new HttpRequestMessage(); httpRequest.setVersion(HTTP_1_1); httpRequest.setMethod(GET); httpRequest.setRequestURI(URI.create("/")); httpRequest.setHeader("Authorization", "restricted-usage"); httpRequest.setHeader("X-Header", "value"); httpRequest.setContent(EMPTY); HttpxeProtocolFilter filter = new HttpxeProtocolFilter(true); filter.filterWrite(nextFilter, clientSession, new DefaultWriteRequest(httpRequest)); context.assertIsSatisfied(); } }
apache-2.0
pwong-mapr/incubator-drill
exec/java-exec/src/main/java/org/apache/drill/exec/schema/BackedRecord.java
1390
/* * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.drill.exec.schema; public class BackedRecord implements Record { DiffSchema schema; DataRecord record; public BackedRecord(DiffSchema schema, DataRecord record) { this.schema = schema; this.record = record; } public void setBackend(DiffSchema schema, DataRecord record) { this.record = record; this.schema = schema; } @Override public DiffSchema getSchemaChanges() { return schema; } @Override public Object getField(int fieldId) { return record.getData(fieldId); } }
apache-2.0
jbovet/spring-boot
spring-boot-test/src/test/java/org/springframework/boot/test/mock/mockito/SpyBeanWithNameOnTestFieldForMultipleExistingBeansTests.java
1967
/* * Copyright 2012-2017 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.springframework.boot.test.mock.mockito; import org.junit.Test; import org.junit.runner.RunWith; import org.mockito.internal.util.MockUtil; import org.springframework.boot.test.mock.mockito.example.SimpleExampleStringGenericService; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.test.context.junit4.SpringRunner; import static org.assertj.core.api.Assertions.assertThat; /** * Test {@link SpyBean} on a test class field can be used to inject a spy instance when * there are multiple candidates and one is chosen using the name attribute. * * @author Phillip Webb * @author Andy Wilkinson */ @RunWith(SpringRunner.class) public class SpyBeanWithNameOnTestFieldForMultipleExistingBeansTests { @SpyBean(name = "two") private SimpleExampleStringGenericService spy; @Test public void testSpying() throws Exception { assertThat(MockUtil.isSpy(this.spy)).isTrue(); assertThat(MockUtil.getMockName(this.spy).toString()).isEqualTo("two"); } @Configuration static class Config { @Bean public SimpleExampleStringGenericService one() { return new SimpleExampleStringGenericService("one"); } @Bean public SimpleExampleStringGenericService two() { return new SimpleExampleStringGenericService("two"); } } }
apache-2.0
Stackdriver/heapster
vendor/k8s.io/kubernetes/pkg/kubectl/cmd/cmd_test.go
6357
/* Copyright 2014 The Kubernetes Authors. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package cmd import ( "bytes" "fmt" "io/ioutil" "os" "reflect" "strings" "testing" "github.com/spf13/cobra" "k8s.io/cli-runtime/pkg/genericclioptions" cmdutil "k8s.io/kubernetes/pkg/kubectl/cmd/util" ) func TestNormalizationFuncGlobalExistence(t *testing.T) { // This test can be safely deleted when we will not support multiple flag formats root := NewKubectlCommand(os.Stdin, os.Stdout, os.Stderr) if root.Parent() != nil { t.Fatal("We expect the root command to be returned") } if root.GlobalNormalizationFunc() == nil { t.Fatal("We expect that root command has a global normalization function") } if reflect.ValueOf(root.GlobalNormalizationFunc()).Pointer() != reflect.ValueOf(root.Flags().GetNormalizeFunc()).Pointer() { t.Fatal("root command seems to have a wrong normalization function") } sub := root for sub.HasSubCommands() { sub = sub.Commands()[0] } // In case of failure of this test check this PR: spf13/cobra#110 if reflect.ValueOf(sub.Flags().GetNormalizeFunc()).Pointer() != reflect.ValueOf(root.Flags().GetNormalizeFunc()).Pointer() { t.Fatal("child and root commands should have the same normalization functions") } } func Test_deprecatedAlias(t *testing.T) { var correctCommandCalled bool makeCobraCommand := func() *cobra.Command { cobraCmd := new(cobra.Command) cobraCmd.Use = "print five lines" cobraCmd.Run = func(*cobra.Command, []string) { correctCommandCalled = true } return cobraCmd } original := makeCobraCommand() alias := deprecatedAlias("echo", makeCobraCommand()) if len(alias.Deprecated) == 0 { t.Error("deprecatedAlias should always have a non-empty .Deprecated") } if !strings.Contains(alias.Deprecated, "print") { t.Error("deprecatedAlias should give the name of the new function in its .Deprecated field") } if !alias.Hidden { t.Error("deprecatedAlias should never have .Hidden == false (deprecated aliases should be hidden)") } if alias.Name() != "echo" { t.Errorf("deprecatedAlias has name %q, expected %q", alias.Name(), "echo") } if original.Name() != "print" { t.Errorf("original command has name %q, expected %q", original.Name(), "print") } buffer := new(bytes.Buffer) alias.SetOutput(buffer) alias.Execute() str := buffer.String() if !strings.Contains(str, "deprecated") || !strings.Contains(str, "print") { t.Errorf("deprecation warning %q does not include enough information", str) } // It would be nice to test to see that original.Run == alias.Run // Unfortunately Golang does not allow comparing functions. I could do // this with reflect, but that's technically invoking undefined // behavior. Best we can do is make sure that the function is called. if !correctCommandCalled { t.Errorf("original function doesn't appear to have been called by alias") } } func TestKubectlCommandHandlesPlugins(t *testing.T) { tests := []struct { name string args []string expectPlugin string expectPluginArgs []string expectError string }{ { name: "test that normal commands are able to be executed, when no plugin overshadows them", args: []string{"kubectl", "get", "foo"}, expectPlugin: "", expectPluginArgs: []string{}, }, { name: "test that a plugin executable is found based on command args", args: []string{"kubectl", "foo", "--bar"}, expectPlugin: "plugin/testdata/kubectl-foo", expectPluginArgs: []string{"foo", "--bar"}, }, { name: "test that a plugin does not execute over an existing command by the same name", args: []string{"kubectl", "version"}, }, } for _, test := range tests { t.Run(test.name, func(t *testing.T) { pluginsHandler := &testPluginHandler{ pluginsDirectory: "plugin/testdata", } _, in, out, errOut := genericclioptions.NewTestIOStreams() cmdutil.BehaviorOnFatal(func(str string, code int) { errOut.Write([]byte(str)) }) root := NewDefaultKubectlCommandWithArgs(pluginsHandler, test.args, in, out, errOut) if err := root.Execute(); err != nil { t.Fatalf("unexpected error: %v", err) } if pluginsHandler.err != nil && pluginsHandler.err.Error() != test.expectError { t.Fatalf("unexpected error: expected %q to occur, but got %q", test.expectError, pluginsHandler.err) } if pluginsHandler.executedPlugin != test.expectPlugin { t.Fatalf("unexpected plugin execution: expedcted %q, got %q", test.expectPlugin, pluginsHandler.executedPlugin) } if len(pluginsHandler.withArgs) != len(test.expectPluginArgs) { t.Fatalf("unexpected plugin execution args: expedcted %q, got %q", test.expectPluginArgs, pluginsHandler.withArgs) } }) } } type testPluginHandler struct { pluginsDirectory string // execution results executedPlugin string withArgs []string withEnv []string err error } func (h *testPluginHandler) Lookup(filename string) (string, bool) { // append supported plugin prefix to the filename filename = fmt.Sprintf("%s-%s", "kubectl", filename) dir, err := os.Stat(h.pluginsDirectory) if err != nil { h.err = err return "", false } if !dir.IsDir() { h.err = fmt.Errorf("expected %q to be a directory", h.pluginsDirectory) return "", false } plugins, err := ioutil.ReadDir(h.pluginsDirectory) if err != nil { h.err = err return "", false } for _, p := range plugins { if p.Name() == filename { return fmt.Sprintf("%s/%s", h.pluginsDirectory, p.Name()), true } } h.err = fmt.Errorf("unable to find a plugin executable %q", filename) return "", false } func (h *testPluginHandler) Execute(executablePath string, cmdArgs, env []string) error { h.executedPlugin = executablePath h.withArgs = cmdArgs h.withEnv = env return nil }
apache-2.0
BRL-CAD/web
wiki/includes/api/ApiQueryExtLinksUsage.php
7300
<?php /** * * * Created on July 7, 2007 * * Copyright © 2006 Yuri Astrakhan "<Firstname><Lastname>@gmail.com" * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License along * with this program; if not, write to the Free Software Foundation, Inc., * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. * http://www.gnu.org/copyleft/gpl.html * * @file */ /** * @ingroup API */ class ApiQueryExtLinksUsage extends ApiQueryGeneratorBase { public function __construct( $query, $moduleName ) { parent::__construct( $query, $moduleName, 'eu' ); } public function execute() { $this->run(); } public function getCacheMode( $params ) { return 'public'; } public function executeGenerator( $resultPageSet ) { $this->run( $resultPageSet ); } /** * @param $resultPageSet ApiPageSet * @return void */ private function run( $resultPageSet = null ) { $params = $this->extractRequestParams(); $query = $params['query']; $protocol = self::getProtocolPrefix( $params['protocol'] ); $this->addTables( array( 'page', 'externallinks' ) ); // must be in this order for 'USE INDEX' $this->addOption( 'USE INDEX', 'el_index' ); $this->addWhere( 'page_id=el_from' ); global $wgMiserMode; $miser_ns = array(); if ( $wgMiserMode ) { $miser_ns = $params['namespace']; } else { $this->addWhereFld( 'page_namespace', $params['namespace'] ); } $whereQuery = $this->prepareUrlQuerySearchString( $query, $protocol ); if ( $whereQuery !== null ) { $this->addWhere( $whereQuery ); } $prop = array_flip( $params['prop'] ); $fld_ids = isset( $prop['ids'] ); $fld_title = isset( $prop['title'] ); $fld_url = isset( $prop['url'] ); if ( is_null( $resultPageSet ) ) { $this->addFields( array( 'page_id', 'page_namespace', 'page_title' ) ); $this->addFieldsIf( 'el_to', $fld_url ); } else { $this->addFields( $resultPageSet->getPageTableFields() ); } $limit = $params['limit']; $offset = $params['offset']; $this->addOption( 'LIMIT', $limit + 1 ); if ( isset( $offset ) ) { $this->addOption( 'OFFSET', $offset ); } $res = $this->select( __METHOD__ ); $result = $this->getResult(); $count = 0; foreach ( $res as $row ) { if ( ++ $count > $limit ) { // We've reached the one extra which shows that there are additional pages to be had. Stop here... $this->setContinueEnumParameter( 'offset', $offset + $limit ); break; } if ( count( $miser_ns ) && !in_array( $row->page_namespace, $miser_ns ) ) { continue; } if ( is_null( $resultPageSet ) ) { $vals = array(); if ( $fld_ids ) { $vals['pageid'] = intval( $row->page_id ); } if ( $fld_title ) { $title = Title::makeTitle( $row->page_namespace, $row->page_title ); ApiQueryBase::addTitleInfo( $vals, $title ); } if ( $fld_url ) { $to = $row->el_to; // expand protocol-relative urls if ( $params['expandurl'] ) { $to = wfExpandUrl( $to, PROTO_CANONICAL ); } $vals['url'] = $to; } $fit = $result->addValue( array( 'query', $this->getModuleName() ), null, $vals ); if ( !$fit ) { $this->setContinueEnumParameter( 'offset', $offset + $count - 1 ); break; } } else { $resultPageSet->processDbRow( $row ); } } if ( is_null( $resultPageSet ) ) { $result->setIndexedTagName_internal( array( 'query', $this->getModuleName() ), $this->getModulePrefix() ); } } public function getAllowedParams() { return array( 'prop' => array( ApiBase::PARAM_ISMULTI => true, ApiBase::PARAM_DFLT => 'ids|title|url', ApiBase::PARAM_TYPE => array( 'ids', 'title', 'url' ) ), 'offset' => array( ApiBase::PARAM_TYPE => 'integer' ), 'protocol' => array( ApiBase::PARAM_TYPE => self::prepareProtocols(), ApiBase::PARAM_DFLT => '', ), 'query' => null, 'namespace' => array( ApiBase::PARAM_ISMULTI => true, ApiBase::PARAM_TYPE => 'namespace' ), 'limit' => array( ApiBase::PARAM_DFLT => 10, ApiBase::PARAM_TYPE => 'limit', ApiBase::PARAM_MIN => 1, ApiBase::PARAM_MAX => ApiBase::LIMIT_BIG1, ApiBase::PARAM_MAX2 => ApiBase::LIMIT_BIG2 ), 'expandurl' => false, ); } public static function prepareProtocols() { global $wgUrlProtocols; $protocols = array( '' ); foreach ( $wgUrlProtocols as $p ) { if ( $p !== '//' ) { $protocols[] = substr( $p, 0, strpos( $p, ':' ) ); } } return $protocols; } public static function getProtocolPrefix( $protocol ) { // Find the right prefix global $wgUrlProtocols; if ( $protocol && !in_array( $protocol, $wgUrlProtocols ) ) { foreach ( $wgUrlProtocols as $p ) { if ( substr( $p, 0, strlen( $protocol ) ) === $protocol ) { $protocol = $p; break; } } return $protocol; } else { return null; } } public function getParamDescription() { global $wgMiserMode; $p = $this->getModulePrefix(); $desc = array( 'prop' => array( 'What pieces of information to include', ' ids - Adds the ID of page', ' title - Adds the title and namespace ID of the page', ' url - Adds the URL used in the page', ), 'offset' => 'Used for paging. Use the value returned for "continue"', 'protocol' => array( "Protocol of the URL. If empty and {$p}query set, the protocol is http.", "Leave both this and {$p}query empty to list all external links" ), 'query' => 'Search string without protocol. See [[Special:LinkSearch]]. Leave empty to list all external links', 'namespace' => 'The page namespace(s) to enumerate.', 'limit' => 'How many pages to return.', 'expandurl' => 'Expand protocol-relative URLs with the canonical protocol', ); if ( $wgMiserMode ) { $desc['namespace'] = array( $desc['namespace'], "NOTE: Due to \$wgMiserMode, using this may result in fewer than \"{$p}limit\" results", 'returned before continuing; in extreme cases, zero results may be returned', ); } return $desc; } public function getResultProperties() { return array( 'ids' => array( 'pageid' => 'integer' ), 'title' => array( 'ns' => 'namespace', 'title' => 'string' ), 'url' => array( 'url' => 'string' ) ); } public function getDescription() { return 'Enumerate pages that contain a given URL'; } public function getPossibleErrors() { return array_merge( parent::getPossibleErrors(), array( array( 'code' => 'bad_query', 'info' => 'Invalid query' ), ) ); } public function getExamples() { return array( 'api.php?action=query&list=exturlusage&euquery=www.mediawiki.org' ); } public function getHelpUrls() { return 'https://www.mediawiki.org/wiki/API:Exturlusage'; } }
bsd-2-clause
Oceanswave/NiL.JS
Tests/tests/sputnik/ch15/15.2/15.2.3/15.2.3.7/15.2.3.7-6-a-93-1.js
1285
/// Copyright (c) 2012 Ecma International. All rights reserved. /** * @path ch15/15.2/15.2.3/15.2.3.7/15.2.3.7-6-a-93-1.js * @description Object.defineProperties will update [[Value]] attribute of named data property 'P' successfully when [[Configurable]] attribute is true and [[Writable]] attribute is false but not when both are false (8.12.9 - step Note & 10.a.ii.1) */ function testcase() { var obj = {}; Object.defineProperty(obj, "property", { value: 1001, writable: false, configurable: true }); Object.defineProperty(obj, "property1", { value: 1003, writable: false, configurable: false }); try { Object.defineProperties(obj, { property: { value: 1002 }, property1: { value: 1004 } }); return false; } catch (e) { return e instanceof TypeError && dataPropertyAttributesAreCorrect(obj, "property", 1002, false, false, true) && dataPropertyAttributesAreCorrect(obj, "property1", 1003, false, false, false); } } runTestCase(testcase);
bsd-3-clause
keybase/node-client
node_modules/spotty/node_modules/iced-runtime/README.md
56
iced-runtime ============ Runtime for IcedCoffeeScript
bsd-3-clause
Prcuvu/librime
thirdparty/src/leveldb-windows/db/log_format.h
857
// Copyright (c) 2011 The LevelDB Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. See the AUTHORS file for names of contributors. // // Log format information shared by reader and writer. // See ../doc/log_format.txt for more detail. #ifndef STORAGE_LEVELDB_DB_LOG_FORMAT_H_ #define STORAGE_LEVELDB_DB_LOG_FORMAT_H_ namespace leveldb { namespace log { enum RecordType { // Zero is reserved for preallocated files kZeroType = 0, kFullType = 1, // For fragments kFirstType = 2, kMiddleType = 3, kLastType = 4 }; static const int kMaxRecordType = kLastType; static const int kBlockSize = 32768; // Header is checksum (4 bytes), type (1 byte), length (2 bytes). static const int kHeaderSize = 4 + 1 + 2; } } #endif // STORAGE_LEVELDB_DB_LOG_FORMAT_H_
bsd-3-clause
Oceanswave/NiL.JS
Tests/tests/sputnik/ch15/15.4/15.4.4/15.4.4.17/15.4.4.17-7-c-ii-10.js
388
/// Copyright (c) 2012 Ecma International. All rights reserved. /** * @path ch15/15.4/15.4.4/15.4.4.17/15.4.4.17-7-c-ii-10.js * @description Array.prototype.some - callbackfn is called with 1 formal parameter */ function testcase() { function callbackfn(val) { return val > 10; } return [11, 12].some(callbackfn); } runTestCase(testcase);
bsd-3-clause
Oceanswave/NiL.JS
Tests/tests/sputnik/ch10/10.4/10.4.3/10.4.3-1-49gs.js
506
/// Copyright (c) 2012 Ecma International. All rights reserved. /** * @path ch10/10.4/10.4.3/10.4.3-1-49gs.js * @description Strict - checking 'this' from a global scope (FunctionExpression with a strict directive prologue defined within a FunctionExpression) * @noStrict */ var f1 = function () { var f = function () { "use strict"; return typeof this; } return (f()==="undefined") && (this===fnGlobalObject()); } if (! f1()) { throw "'this' had incorrect value!"; }
bsd-3-clause
Oceanswave/NiL.JS
Tests/tests/sputnik/ch15/15.4/15.4.4/15.4.4.19/15.4.4.19-8-b-16.js
1006
/// Copyright (c) 2012 Ecma International. All rights reserved. /** * @path ch15/15.4/15.4.4/15.4.4.19/15.4.4.19-8-b-16.js * @description Array.prototype.map - decreasing length of array does not delete non-configurable properties */ function testcase() { function callbackfn(val, idx, obj) { if (idx === 2 && val === "unconfigurable") { return false; } else { return true; } } var arr = [0, 1, 2]; Object.defineProperty(arr, "2", { get: function () { return "unconfigurable"; }, configurable: false }); Object.defineProperty(arr, "1", { get: function () { arr.length = 2; return 1; }, configurable: true }); var testResult = arr.map(callbackfn); return testResult.length === 3 && testResult[2] === false; } runTestCase(testcase);
bsd-3-clause
Schetss/duomar
src/Backend/Modules/Faq/Installer/Data/install.sql
1463
CREATE TABLE IF NOT EXISTS `faq_categories` ( `id` int(11) NOT NULL auto_increment, `meta_id` int(11) NOT NULL, `extra_id` int(11) NOT NULL, `language` varchar(5) NOT NULL, `title` varchar(255) NOT NULL, `sequence` int(11) NOT NULL, PRIMARY KEY (`id`) ) ENGINE=MyISAM DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci ; CREATE TABLE IF NOT EXISTS `faq_questions` ( `id` int(11) NOT NULL auto_increment, `category_id` int(11) NOT NULL, `user_id` int(11) NOT NULL, `meta_id` int(11) NOT NULL, `language` varchar(5) collate utf8_unicode_ci NOT NULL, `question` varchar(255) collate utf8_unicode_ci NOT NULL, `answer` text collate utf8_unicode_ci NOT NULL, `created_on` datetime NOT NULL, `num_views` int(11) NOT NULL default '0', `num_usefull_yes` int(11) NOT NULL default '0', `num_usefull_no` int(11) NOT NULL default '0', `hidden` enum('N','Y') collate utf8_unicode_ci NOT NULL default 'N', `sequence` int(11) NOT NULL, PRIMARY KEY (`id`), KEY `fk_faq_questions_faq_categories` (`hidden`,`language`) ) ENGINE=MyISAM DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci ; CREATE TABLE `faq_feedback` ( `id` int(11) unsigned NOT NULL auto_increment, `question_id` int(11) unsigned NOT NULL, `text` text NOT NULL, `processed` enum('N','Y') NOT NULL default 'N', `created_on` datetime NOT NULL, `edited_on` datetime NOT NULL, PRIMARY KEY (`id`) ) ENGINE=MyISAM AUTO_INCREMENT=1 DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci;
mit
dphiffer/urbit
jets/e/rs.c
6484
/* j/e/rs.c ** */ #include "all.h" #include "softfloat.h" #define SINGNAN 0x7fc00000 union sing { float32_t s; c3_w c; }; /* functions */ static inline c3_t _nan_test(float32_t a) { return !f32_eq(a, a); } static inline float32_t _nan_unify(float32_t a) { if ( _nan_test(a) ) { *(c3_w*)(&a) = SINGNAN; } return a; } static inline void _set_rounding(c3_w a) { switch ( a ) { default: u3m_bail(c3__fail); break; case c3__n: softfloat_roundingMode = softfloat_round_near_even; break; case c3__z: softfloat_roundingMode = softfloat_round_minMag; break; case c3__u: softfloat_roundingMode = softfloat_round_max; break; case c3__d: softfloat_roundingMode = softfloat_round_min; break; } } /* add */ u3_noun u3qet_add(u3_atom a, u3_atom b, u3_atom r) { union sing c, d, e; _set_rounding(r); c.c = u3r_word(0, a); d.c = u3r_word(0, b); e.s = _nan_unify(f32_add(c.s, d.s)); return u3i_words(1, &e.c); } u3_noun u3wet_add(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_add(a, b, u3x_at(30, cor)); } } /* sub */ u3_noun u3qet_sub(u3_atom a, u3_atom b, u3_atom r) { union sing c, d, e; _set_rounding(r); c.c = u3r_word(0, a); d.c = u3r_word(0, b); e.s = _nan_unify(f32_sub(c.s, d.s)); return u3i_words(1, &e.c); } u3_noun u3wet_sub(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_sub(a, b, u3x_at(30, cor)); } } /* mul */ u3_noun u3qet_mul(u3_atom a, u3_atom b, u3_atom r) { union sing c, d, e; _set_rounding(r); c.c = u3r_word(0, a); d.c = u3r_word(0, b); e.s = _nan_unify(f32_mul(c.s, d.s)); return u3i_words(1, &e.c); } u3_noun u3wet_mul(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_mul(a, b, u3x_at(30, cor)); } } /* div */ u3_noun u3qet_div(u3_atom a, u3_atom b, u3_atom r) { union sing c, d, e; _set_rounding(r); c.c = u3r_word(0, a); d.c = u3r_word(0, b); e.s = _nan_unify(f32_div(c.s, d.s)); return u3i_words(1, &e.c); } u3_noun u3wet_div(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_div(a, b, u3x_at(30, cor)); } } /* sqt */ u3_noun u3qet_sqt(u3_atom a, u3_atom r) { union sing c, d; _set_rounding(r); c.c = u3r_word(0, a); d.s = _nan_unify(f32_sqrt(c.s)); return u3i_words(1, &d.c); } u3_noun u3wet_sqt(u3_noun cor) { u3_noun a; if ( c3n == (a = u3r_at(u3x_sam, cor)) || c3n == u3ud(a) ) { return u3m_bail(c3__exit); } else { return u3qet_sqt(a, u3x_at(30, cor)); } } /* fma */ u3_noun u3qet_fma(u3_atom a, u3_atom b, u3_atom c, u3_atom r) { union sing d, e, f, g; _set_rounding(r); d.c = u3r_word(0, a); e.c = u3r_word(0, b); f.c = u3r_word(0, c); g.s = _nan_unify(f32_mulAdd(d.s, e.s, f.s)); return u3i_words(1, &g.c); } u3_noun u3wet_fma(u3_noun cor) { u3_noun a, b, c; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_6, &b, u3x_sam_7, &c, 0) || c3n == u3ud(a) || c3n == u3ud(b) || c3n == u3ud(c) ) { return u3m_bail(c3__exit); } else { return u3qet_fma(a, b, c, u3x_at(30, cor)); } } /* lth */ u3_noun u3qet_lth(u3_atom a, u3_atom b) { union sing c, d; c.c = u3r_word(0, a); d.c = u3r_word(0, b); return __(f32_lt(c.s, d.s)); } u3_noun u3wet_lth(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_lth(a, b); } } /* lte */ u3_noun u3qet_lte(u3_atom a, u3_atom b) { union sing c, d; c.c = u3r_word(0, a); d.c = u3r_word(0, b); return __(f32_le(c.s, d.s)); } u3_noun u3wet_lte(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_lte(a, b); } } /* equ */ u3_noun u3qet_equ(u3_atom a, u3_atom b) { union sing c, d; c.c = u3r_word(0, a); d.c = u3r_word(0, b); return __(f32_eq(c.s, d.s)); } u3_noun u3wet_equ(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_equ(a, b); } } /* gte */ u3_noun u3qet_gte(u3_atom a, u3_atom b) { union sing c, d; c.c = u3r_word(0, a); d.c = u3r_word(0, b); return __(f32_le(d.s, c.s)); } u3_noun u3wet_gte(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_gte(a, b); } } /* gth */ u3_noun u3qet_gth(u3_atom a, u3_atom b) { union sing c, d; c.c = u3r_word(0, a); d.c = u3r_word(0, b); return __(f32_lt(d.s, c.s)); } u3_noun u3wet_gth(u3_noun cor) { u3_noun a, b; if ( c3n == u3r_mean(cor, u3x_sam_2, &a, u3x_sam_3, &b, 0) || c3n == u3ud(a) || c3n == u3ud(b) ) { return u3m_bail(c3__exit); } else { return u3qet_gth(a, b); } }
mit
Dokaponteam/ITF_Project
xampp/apache/manual/mod/mod_proxy_html.html
224
# GENERATED FROM XML -- DO NOT EDIT URI: mod_proxy_html.html.en Content-Language: en Content-type: text/html; charset=ISO-8859-1 URI: mod_proxy_html.html.fr Content-Language: fr Content-type: text/html; charset=ISO-8859-1
mit
bopo/generator-ionic
docs/FAQ.md
7354
#Frequently asked questions ##How do I manage libraries with Bower? Install a new front-end library using `bower install --save` to update your `bower.json` file. ``` bower install --save lodash ``` This way, when the Grunt [`bower-install`](https://github.com/stephenplusplus/grunt-bower-install#grunt-bower-install) task is run it will automatically inject your front-end dependencies inside the `bower:js` block of your `app/index.html`file. ##Can I manually add libraries? Of course! If a library you wish to include is not registered with Bower or you wish to manually manage third party libraries, simply include any CSS and JavaScript files you need **inside** your `app/index.html` [usemin](https://github.com/yeoman/grunt-usemin#blocks) `build:js` or `build:css` blocks but **outside** the `bower:js` or `bower:css` blocks (since the Grunt task overwrites the Bower blocks' contents). ##How do I use the Ripple Emulator? **Be Advised**: [Ripple](http://ripple.incubator.apache.org/) is under active development so expect support for some plugins to be missing or broken. Add a platform target then run `grunt ripple` to launch the emulator in your browser. ``` grunt platform:add:ios grunt ripple ``` Now go edit a file and then refresh your browser to see your changes. (Currently experimenting with livereload for Ripple) **Note**: If you get errors beginning with `Error: static() root path required`, don't fret. Ripple defaults the UI to Android so just switch to an iOS device and you'll be good to go. ![Ripple](http://i.imgur.com/LA4Hip1l.png) ##Why is Cordova included and how do I use it? To make our lives a bit simpler, the `cordova` library has been packaged as a part of this generator and delegated via Grunt tasks. To invoke Cordova, simply run the command you would normally have, but replace `cordova` with `grunt` and `spaces` with `:` (the way Grunt chains task arguments). For example, lets say you want to add iOS as a platform target for your Ionic app ``` grunt platform:add:ios ``` and emulate a platform target ``` grunt emulate:ios ``` or add a plugin by specifying either its full repository URL or namespace from the [Plugins Registry](http://plugins.cordova.io) ``` grunt plugin:add:https://git-wip-us.apache.org/repos/asf/cordova-plugin-device.git grunt plugin:add:org.apache.cordova.device grunt plugin:add:org.apache.cordova.network-information ``` ##How do I build assets for Cordova? Once you're ready to test your application in a simulator or device, run `grunt cordova` to copy all of your `app/` assets into `www/` and build updated `platform/` files so they are ready to be emulated / run by Cordova. To compress and optimize your application, run `grunt build`. It will concatenate, obfuscate, and minify your JavaScript, HTML, and CSS files and copy over the resulting assets into the `www/` directory so the compressed version can be used with Cordova. ##How do I configure my icons and splash screens? Properly configuring your app icons and splash screens to work with Cordova can be a pain to set up, so we've gone ahead and including an `after_prepare` hook that manages copying these resource files to the correct location within your current platform targets. To get started, you must first add a platform via `grunt platform:add:ios`. Once you have a platform, the packaged `icons_and_splashscreens.js` hook will copy over all placeholder icons and splash screens generated by Cordova into a newly created top-level `resources/` directory inside of your project. Simply replace these files with your own resources (**but maintain file names and directory structure**) and let the hook's magic automatically manage copying them to the appropriate location for each Cordova platform, all without interrupting your existing workflow. To learn more about hooks, checkout out the `README.md` file inside of your `hooks/` directory. ##What are the benefits of local browser development? Running `grunt serve` enhances your workflow by allowing you to rapidly build Ionic apps without having to constantly re-run your platform simulator. Since we spin up a `connect` server with `watch` and `livereload` tasks, you can freely edit your CSS (or SCSS/SASS files if you chose to use Compass), HTML, and JavaScript files and changes will be quickly reflected in your browser. ##How do I add constants? To set up your environment specific constants, modify the respective targets of the `ngconstant` task located towards the top of your Gruntfile. ``` ngconstant: { options: { space: ' ', wrap: '"use strict";\n\n {%= __ngModule %}', name: 'config', dest: '<%= yeoman.app %>/<%= yeoman.scripts %>/configuration.js' }, development: { constants: { ENV: { name: 'development', apiEndpoint: 'http://dev.your-site.com:10000/' } } }, production: { constants: { ENV: { name: 'production', apiEndpoint: 'http://api.your-site.com/' } } } }, ``` Running `grunt serve` will cause the `development` target constants to be used. When you build your application for production using `grunt compress` or `grunt serve:compress`, the `production` constants will be used. Other targets, such as staging, can be added, but you will need to customize your Gruntfile accordingly. Note that if you change the `name` property of the task options, you will need to update your `app.js` module dependencies as well. If you want to compress and build and use `production` constants, you will need to first run `grunt compress` and then use ionic or cordova commands to build, for example: `ionic build ios`. ##How is this used inside Angular? A `configuration.js` file is created by `grunt-ng-constant` depending on which task target is executed. This config file exposes a `config` module, that is listed as a dependency inside `app/scripts/app.js`. Out of the box, your constants will be namespaced under `ENV`, but this can be changed by modifying the `ngconstant` targets. It is important to note that whatever namespace value is chosen is what will need to be used for Dependency Injection inside your Angular functions. The following example shows how to pre-process all outgoing HTTP request URLs with an environment specific API endpoint by creating a simple Angular `$http` interceptor. ``` // Custom Interceptor for replacing outgoing URLs .factory('httpEnvInterceptor', function (ENV) { return { 'request': function(config) { if (!_.contains(config.url, 'html')) { config.url = ENV.apiEndpoint + config.url; } return config; } } }) .config(function($httpProvider) { // Pre-process outgoing request URLs $httpProvider.interceptors.push('httpEnvInterceptor'); }) ``` ##What else does this generator do to help me? While building your Ionic app, you may find yourself working with multiple environments such as development, staging, and production. This generator uses [grunt-ng-constant] (https://github.com/werk85/grunt-ng-constant) to set up your workflow with development and production environment configurations right out of the box.
mit
dmaticzka/bioconda-recipes
recipes/links/build.sh
524
mkdir -p $PREFIX/bin #Copying perl script to bin folder cp LINKS $PREFIX/bin chmod +x $PREFIX/bin/LINKS #Recompiling C code cd lib/bloomfilter/swig/ PERL5DIR=`(perl -e 'use Config; print $Config{archlibexp}, "\n";') 2>/dev/null` swig -Wall -c++ -perl5 BloomFilter.i g++ -c BloomFilter_wrap.cxx -I$PERL5DIR/CORE -fPIC -Dbool=char -O3 g++ -Wall -shared BloomFilter_wrap.o -o BloomFilter.so -O3 #Installing included perl module h2xs -n BloomFilter -O -F -'I ../../../' cd BloomFilter perl Makefile.PL make make install
mit
smrq/DefinitelyTyped
types/riot/index.d.ts
12881
// Type definitions for riot v2.6.0 // Project: https://github.com/riot/riot // Definitions by: Boriss Nazarovs <https://github.com/Stubb0rn> // Definitions: https://github.com/DefinitelyTyped/DefinitelyTyped declare namespace riot { /** * Current version number as string */ const version: string; /** * Riot settings */ interface Settings { /** * Setting used to customize the start and end tokens of the expression */ brackets: string; } const settings: Settings; interface TemplateError extends Error { riotData: { tagName: string; } } interface Util { tmpl: { errorHandler(error: TemplateError): void; } } const util: Util; /** * Internal riot tags cache */ const vdom: Tag[]; interface Observable { /** * Register callback for specified events. * Callback is executed each time event is triggered * @param events Space separated list of events or wildcard '*' that matches all events * @param callback Callback function */ on?(events: string, callback: Function): Observable; /** * Register callback for specified events. * Callback is executed at most once. * @param events Space separated list of events. * @param callback Callback function */ one?(events: string, callback: Function): Observable; /** * Remove all registered callbacks for specified events * @param events Space separated list of events or wildcard '*' that matches all events */ off?(events: string): Observable; /** * Remove specified callback for specified events * @param events Space separated list of events or wildcard '*' that matches all events * @param callback Callback function to remove */ off?(events: string, callback: Function): Observable; /** * Execute all callback functions registered for specified list of events * @param events Space separated list of events * @param args Arguments provided to callbacks */ trigger?(events: string, ...args: any[]): Observable; } /** * Riot Router */ interface Route { /** * Register callback that is executed when the URL changes * @param callback Callback function */ (callback: (...args: any[]) => void): void; /** * Register callback that is executed when the URL changes and new URL matches specified filter * @param filter URL filter * @param callback Callback function */ (filter: string, callback: (...any: string[]) => void): void; /** * Change the browser URL and notify all the listeners registered with `Route(callback)` * @param to New URL * @param title Document title for new URL * @param shouldReplace Should new url replace the current history */ (to: string, title?: string, shouldReplace?: boolean): void; /** * Return a new routing context */ create(): Route; /** * Start listening for url changes * @param autoExec Should router exec routing on the current url */ start(autoExec?: boolean): void; /** * Stop all the routings. * Removes the listeners and clears the callbacks. */ stop(): void; /** * Study the current browser path “in place” and emit routing without waiting for it to change. */ exec(): void; /** * @deprecated */ exec(callback: Function): void; /** * Extract query from the url */ query(): { [key: string]: string }; /** * Change the base path * @param base Base path */ base(base: string): void; /** * Change the default parsers to the custom ones. * @param parser Replacement parser for default parser * @param secondParser Replacement parser for handling url filters */ parser(parser: (path: string) => any[], secondParser?: (path: string, filter: string) => any[]): void; } /** * Adds Observer support for the given object or * if the argument is empty a new observable instance is created and returned. * @param el Object to become observable */ function observable(el?: any): Observable; const route: Route; /** * Mount custom tags with specified tag name. Returns an array of mounted tag instances. * @param selector Tag selector. * It can be tag name, css selector or special '*' selector that matches all tags on the page. * @param opts Optional object passed for the tags to consume. */ function mount(selector: string, opts?: any): Tag[]; /** * Mount a custom tag on DOM nodes matching provided selector. Returns an array of mounted tag instances. * @param selector CSS selector * @param tagName Custom tag name * @param opts Optional object passed for the tag to consume. */ function mount(selector: string, tagName: string, opts?: any): Tag[]; /** * Mount a custom tag on a given DOM node. Returns an array of mounted tag instances. * @param domNode DOM node * @param tagName Tag name * @param opts Optional object passed for the tag to consume. */ function mount(domNode: Node, tagName: string, opts?: any): Tag[]; /** * Render a tag to html. This method is only available on server-side. * @param tagName Custom tag name * @param opts Optional object passed for the tag to consume. */ function render(tagName: string, opts?: any): string; /** * Update all the mounted tags and their expressions on the page. * Returns an array of tag instances that are mounted on the page. */ function update(): Tag[]; /** * Register a global mixin and automatically add it to all tag instances. * @param mixinObject Mixin object */ function mixin(mixinObject: TagMixin): void; /** * Register a shared mixin, globally available to be used in any tag using `TagInstance.mixin(mixinName)` * @param mixinName Name of the mixin * @param mixinObject Mixin object * @param isGlobal Is global mixin? */ function mixin(mixinName: string, mixinObject: TagMixin, isGlobal?: boolean): void; /** * Create a new custom tag “manually” without the compiler. Returns name of the tag. * @param tagName The tag name * @param html The layout with expressions * @param css The style of the tag * @param attrs String of attributes for the tag * @param constructor The initialization function being called before * the tag expressions are calculated and before the tag is mounted */ function tag(tagName: string, html: string, css?: string, attrs?: string, constructor?: (opts: any) => void): string; interface TagImplementation { /** * Tag template */ tmpl: string; /** * The callback function called on the mount event * @param opts Tag options object */ fn?(opts: any): void; /** * Root tag html attributes as object (key => value) */ attrs?: { [key: string]: any; } } interface TagConfiguration { /** * DOM node where you will mount the tag template */ root: Node; /** * Tag options */ opts?: any; /** * Is it used in as loop tag */ isLoop?: boolean; /** * Is already registered using `riot.tag` */ hasImpl?: boolean; /** * Loop item in the loop assigned to this instance */ item?: any; } interface TagInterface extends Observable { /** * options object */ opts?: any; /** * the parent tag if any */ parent?: Tag; /** * root DOM node */ root?: Node; /** * nested custom tags */ tags?: { [key: string]: Tag | Tag[]; }; /** * Updates all the expressions on the current tag instance as well as on all the children. * @param data Context data */ update?(data?: any): void; /** * Extend tag with functionality available on shared mixin registered with `riot.mixin(mixinName, mixinObject)` * @param mixinName Name of shared mixin */ mixin?(mixinName: string): void; /** * Extend tag functionality with functionality available on provided mixin object. * @param mixinObject Mixin object */ mixin?(mixinObject: TagMixin): void; /** * Mount the tag */ mount?(): void; /** * Detach the tag and its children from the page. * @param keepTheParent If `true` unmounting tag doesn't remove the parent tag */ unmount?(keepTheParent?: boolean): void; } class Tag implements TagInterface { /** * Tag constructor * @param impl Tag implementation * @param conf Tag configuration * @param innerHTML HTML that can be used replacing a nested `yield` tag in its template */ constructor(impl: TagImplementation, conf: TagConfiguration, innerHTML?: string); /** * options object */ opts: any; /** * the parent tag if any */ parent: Tag; /** * root DOM node */ root: Node; /** * nested custom tags */ tags: { [key: string]: Tag | Tag[]; }; /** * Updates all the expressions on the current tag instance as well as on all the children. * @param data Context data */ update(data?: any): void; /** * Extend tag with functionality available on shared mixin registered with `riot.mixin(mixinName, mixinObject)` * @param mixinName Name of shared mixin */ mixin(mixinName: string): void; /** * Extend tag functionality with functionality available on provided mixin object. * @param mixinObject Mixin object */ mixin(mixinObject: TagMixin): void; /** * Mount the tag */ mount(): void; /** * Detach the tag and its children from the page. * @param keepTheParent If `true` unmounting tag doesn't remove the parent tag */ unmount(keepTheParent?: boolean): void; // Observable methods on(events: string, callback: Function): this; one(events: string, callback: Function): this; off(events: string): this; off(events: string, callback: Function): this; trigger(events: string, ...args: any[]): this; } /** * Mixin object for extending tag functionality. * When it gets mixed in it has access to all tag properties. * It should not override any built in tag properties */ interface TagMixin extends TagInterface { /** * Special method which can initialize * the mixin when it's loaded to the tag and is not * accessible from the tag its mixed in */ init?(): void; } /** * Compile all tags defined with <script type="riot/tag"> to JavaScript. * @param callback Function that is called after all scripts are compiled */ function compile(callback: Function): void; /** * Compiles and executes the given tag. * @param tag Tag definition * @return {string} Compiled JavaScript as string */ function compile(tag: string): string; /** * Compiles the given tag but doesn't execute it, if `skipExecution` parameter is `true` * @param tag Tag definition * @param skipExecution If `true` tag is not executed after compilation * @return {string} Compiled JavaScript as string */ function compile(tag: string, skipExecution: boolean): string; /** * Loads the given URL and compiles all tags after which the callback is called * @param url URL to load * @param callback Function that is called after all tags are compiled */ function compile(url: string, callback: Function): void; } declare module 'riot' { export = riot; }
mit
LinkedOpenData/challenge2015
docs/concrete5/updates/concrete5.7.5.1_remote_updater/concrete/src/StyleCustomizer/Style/ColorStyle.php
3566
<?php namespace Concrete\Core\StyleCustomizer\Style; use Core; use \Concrete\Core\StyleCustomizer\Style\Value\ColorValue; use Less_Tree_Color; use Less_Tree_Call; use Less_Tree_Dimension; use View; use Request; use \Concrete\Core\Http\Service\Json; class ColorStyle extends Style { public function render($value = false) { $color = ''; if ($value) { $color = $value->toStyleString(); } $inputName = $this->getVariable(); $r = Request::getInstance(); if ($r->request->has($inputName)) { $color = h($r->request->get($inputName)); } $view = View::getInstance(); $view->requireAsset('core/colorpicker'); $json = new Json(); print "<input type=\"text\" name=\"{$inputName}[color]\" value=\"{$color}\" id=\"ccm-colorpicker-{$inputName}\" />"; print "<script type=\"text/javascript\">"; print "$(function() { $('#ccm-colorpicker-{$inputName}').spectrum({ showInput: true, showInitial: true, preferredFormat: 'rgb', allowEmpty: true, className: 'ccm-widget-colorpicker', showAlpha: true, value: " . $json->encode($color) . ", cancelText: " . $json->encode(t('Cancel')) . ", chooseText: " . $json->encode(t('Choose')) . ", clearText: " . $json->encode(t('Clear Color Selection')) . ", change: function() {ConcreteEvent.publish('StyleCustomizerControlUpdate');} });});"; print "</script>"; } public static function parse($value, $variable = false) { if ($value instanceof Less_Tree_Color) { if ($value->isTransparentKeyword) { return false; } $cv = new ColorValue($variable); $cv->setRed($value->rgb[0]); $cv->setGreen($value->rgb[1]); $cv->setBlue($value->rgb[2]); } else if ($value instanceof Less_Tree_Call) { // might be rgb() or rgba() $cv = new ColorValue($variable); $cv->setRed($value->args[0]->value[0]->value); $cv->setGreen($value->args[1]->value[0]->value); $cv->setBlue($value->args[2]->value[0]->value); if ($value->name == 'rgba') { $cv->setAlpha($value->args[3]->value[0]->value); } } return $cv; } public function getValueFromRequest(\Symfony\Component\HttpFoundation\ParameterBag $request) { $color = $request->get($this->getVariable()); if (!$color['color']) { // transparent return false; } $cv = new \Primal\Color\Parser($color['color']); $result = $cv->getResult(); $alpha = false; if ($result->alpha && $result->alpha < 1) { $alpha = $result->alpha; } $cv = new ColorValue($this->getVariable()); $cv->setRed($result->red); $cv->setGreen($result->green); $cv->setBlue($result->blue); $cv->setAlpha($alpha); return $cv; } public function getValuesFromVariables($rules = array()) { $values = array(); foreach($rules as $rule) { if (preg_match('/@(.+)\-color/i', $rule->name, $matches)) { $value = $rule->value->value[0]->value[0]; $cv = static::parse($value, $matches[1]); if (is_object($cv)) { $values[] = $cv; } } } return $values; } }
mit
KurdyMalloy/packages
utils/mksh/Makefile
2864
# # Copyright (C) 2007-2011 OpenWrt.org # Copyright (c) 2009-2014 Thorsten Glaser <[email protected]> # # This is free software, licensed under the GNU General Public License v2. # See /LICENSE for more information. # include $(TOPDIR)/rules.mk PKG_NAME:=mksh PKG_VERSION:=52c PKG_RELEASE:=1 PKG_MAINTAINER:=Thorsten Glaser <[email protected]> PKG_LICENSE:=MirOS PKG_SOURCE:=$(PKG_NAME)-R$(PKG_VERSION).tgz PKG_SOURCE_URL:=http://www.mirbsd.org/MirOS/dist/mir/mksh PKG_MD5SUM:=cc3884e02314447e7b4a3073b8d65d1e PKG_BUILD_DIR:=$(BUILD_DIR)/$(PKG_NAME) include $(INCLUDE_DIR)/package.mk define Package/mksh SECTION:=shells CATEGORY:=Base system TITLE:=MirBSD Korn Shell DEPENDS:=$(DEP) URL:=http://mirbsd.de/mksh endef define Package/mksh/description mksh is the MirBSD enhanced version of the Public Domain Korn shell (pdksh), a Bourne-compatible shell which is largely si- milar to the original AT&T Korn shell; mksh is the only pdksh derivate currently being actively developed. It includes bug fixes and feature improvements, in order to produce a modern, robust shell good for interactive and especially script use. mksh has UTF-8 support (in substring operations and the Emacs editing mode) and - while R50 corresponds to OpenBSD 5.5-cur- rent ksh (without GNU bash-like PS1 and fancy character clas- ses) - adheres to SUSv4 and is much more robust. The code has been cleaned up and simplified, bugs fixed, standards compli- ance added, and several enhancements (for extended compatibi- lity to other modern shells - as well as a couple of its own) are available. It has sensible defaults as usual with BSD. endef define Build/Compile # -DMKSH_SMALL=1 ⇒ reduce functionality quite a lot # -DMKSH_ASSUME_UTF8=0 ⇒ never automatically enable # UTF-8 mode, neither use setlocale/nl_langinfo # nor look at $LC_* and $LANG (not recommended) # -DMKSH_BINSHPOSIX ⇒ enable POSIX mode if called as sh #XXX maybe change to -DMKSH_ASSUME_UTF8=1 now (which #XXX is always assume UTF-8 mode) # HAVE_CAN_FSTACKPROTECTORALL=0 ⇒ nuke libssp dependency # HAVE_CAN_FSTACKPROTECTORSTRONG=0 ⇒ same, for gcc 4.9+ cd $(PKG_BUILD_DIR); \ CC="$(TARGET_CC)" \ TARGET_OS="$(shell uname -s)" \ CFLAGS="$(TARGET_CFLAGS)" \ CPPFLAGS="-DMKSH_SMALL=1 -DMKSH_ASSUME_UTF8=0 -DMKSH_BINSHPOSIX" \ HAVE_CAN_FSTACKPROTECTORALL=0 \ HAVE_CAN_FSTACKPROTECTORSTRONG=0 \ LDFLAGS="$(TARGET_LDFLAGS)" \ $(BASH) Build.sh -Q -r -c lto endef define Package/mksh/postinst #!/bin/sh grep mksh $${IPKG_INSTROOT}/etc/shells || \ echo "/bin/mksh" >> $${IPKG_INSTROOT}/etc/shells endef define Package/mksh/install $(INSTALL_DIR) $(1)/etc $(INSTALL_DATA) $(PKG_BUILD_DIR)/dot.mkshrc $(1)/etc/mkshrc $(INSTALL_DIR) $(1)/bin $(INSTALL_BIN) $(PKG_BUILD_DIR)/mksh $(1)/bin/ endef define Package/mksh/conffiles /etc/mkshrc endef $(eval $(call BuildPackage,mksh))
gpl-2.0
mikewadsten/asuswrt
release/src-rt/linux/linux-2.6/drivers/char/tty_ioctl.c
26382
/* * linux/drivers/char/tty_ioctl.c * * Copyright (C) 1991, 1992, 1993, 1994 Linus Torvalds * * Modified by Fred N. van Kempen, 01/29/93, to add line disciplines * which can be dynamically activated and de-activated by the line * discipline handling modules (like SLIP). */ #include <linux/types.h> #include <linux/termios.h> #include <linux/errno.h> #include <linux/sched.h> #include <linux/kernel.h> #include <linux/major.h> #include <linux/tty.h> #include <linux/fcntl.h> #include <linux/string.h> #include <linux/mm.h> #include <linux/module.h> #include <linux/bitops.h> #include <linux/mutex.h> #include <asm/io.h> #include <asm/uaccess.h> #include <asm/system.h> #undef TTY_DEBUG_WAIT_UNTIL_SENT #undef DEBUG /* * Internal flag options for termios setting behavior */ #define TERMIOS_FLUSH 1 #define TERMIOS_WAIT 2 #define TERMIOS_TERMIO 4 #define TERMIOS_OLD 8 /** * tty_wait_until_sent - wait for I/O to finish * @tty: tty we are waiting for * @timeout: how long we will wait * * Wait for characters pending in a tty driver to hit the wire, or * for a timeout to occur (eg due to flow control) * * Locking: none */ void tty_wait_until_sent(struct tty_struct *tty, long timeout) { #ifdef TTY_DEBUG_WAIT_UNTIL_SENT char buf[64]; printk(KERN_DEBUG "%s wait until sent...\n", tty_name(tty, buf)); #endif if (!tty->driver->chars_in_buffer) return; if (!timeout) timeout = MAX_SCHEDULE_TIMEOUT; if (wait_event_interruptible_timeout(tty->write_wait, !tty->driver->chars_in_buffer(tty), timeout) < 0) return; if (tty->driver->wait_until_sent) tty->driver->wait_until_sent(tty, timeout); } EXPORT_SYMBOL(tty_wait_until_sent); static void unset_locked_termios(struct ktermios *termios, struct ktermios *old, struct ktermios *locked) { int i; #define NOSET_MASK(x, y, z) (x = ((x) & ~(z)) | ((y) & (z))) if (!locked) { printk(KERN_WARNING "Warning?!? termios_locked is NULL.\n"); return; } NOSET_MASK(termios->c_iflag, old->c_iflag, locked->c_iflag); NOSET_MASK(termios->c_oflag, old->c_oflag, locked->c_oflag); NOSET_MASK(termios->c_cflag, old->c_cflag, locked->c_cflag); NOSET_MASK(termios->c_lflag, old->c_lflag, locked->c_lflag); termios->c_line = locked->c_line ? old->c_line : termios->c_line; for (i = 0; i < NCCS; i++) termios->c_cc[i] = locked->c_cc[i] ? old->c_cc[i] : termios->c_cc[i]; /* FIXME: What should we do for i/ospeed */ } /* * Routine which returns the baud rate of the tty * * Note that the baud_table needs to be kept in sync with the * include/asm/termbits.h file. */ static const speed_t baud_table[] = { 0, 50, 75, 110, 134, 150, 200, 300, 600, 1200, 1800, 2400, 4800, 9600, 19200, 38400, 57600, 115200, 230400, 460800, #ifdef __sparc__ 76800, 153600, 307200, 614400, 921600 #else 500000, 576000, 921600, 1000000, 1152000, 1500000, 2000000, 2500000, 3000000, 3500000, 4000000 #endif }; #ifndef __sparc__ static const tcflag_t baud_bits[] = { B0, B50, B75, B110, B134, B150, B200, B300, B600, B1200, B1800, B2400, B4800, B9600, B19200, B38400, B57600, B115200, B230400, B460800, B500000, B576000, B921600, B1000000, B1152000, B1500000, B2000000, B2500000, B3000000, B3500000, B4000000 }; #else static const tcflag_t baud_bits[] = { B0, B50, B75, B110, B134, B150, B200, B300, B600, B1200, B1800, B2400, B4800, B9600, B19200, B38400, B57600, B115200, B230400, B460800, B76800, B153600, B307200, B614400, B921600 }; #endif static int n_baud_table = ARRAY_SIZE(baud_table); /** * tty_termios_baud_rate * @termios: termios structure * * Convert termios baud rate data into a speed. This should be called * with the termios lock held if this termios is a terminal termios * structure. May change the termios data. Device drivers can call this * function but should use ->c_[io]speed directly as they are updated. * * Locking: none */ speed_t tty_termios_baud_rate(struct ktermios *termios) { unsigned int cbaud; cbaud = termios->c_cflag & CBAUD; #ifdef BOTHER /* Magic token for arbitary speed via c_ispeed/c_ospeed */ if (cbaud == BOTHER) return termios->c_ospeed; #endif if (cbaud & CBAUDEX) { cbaud &= ~CBAUDEX; if (cbaud < 1 || cbaud + 15 > n_baud_table) termios->c_cflag &= ~CBAUDEX; else cbaud += 15; } return baud_table[cbaud]; } EXPORT_SYMBOL(tty_termios_baud_rate); /** * tty_termios_input_baud_rate * @termios: termios structure * * Convert termios baud rate data into a speed. This should be called * with the termios lock held if this termios is a terminal termios * structure. May change the termios data. Device drivers can call this * function but should use ->c_[io]speed directly as they are updated. * * Locking: none */ speed_t tty_termios_input_baud_rate(struct ktermios *termios) { #ifdef IBSHIFT unsigned int cbaud = (termios->c_cflag >> IBSHIFT) & CBAUD; if (cbaud == B0) return tty_termios_baud_rate(termios); /* Magic token for arbitary speed via c_ispeed*/ if (cbaud == BOTHER) return termios->c_ispeed; if (cbaud & CBAUDEX) { cbaud &= ~CBAUDEX; if (cbaud < 1 || cbaud + 15 > n_baud_table) termios->c_cflag &= ~(CBAUDEX << IBSHIFT); else cbaud += 15; } return baud_table[cbaud]; #else return tty_termios_baud_rate(termios); #endif } EXPORT_SYMBOL(tty_termios_input_baud_rate); /** * tty_termios_encode_baud_rate * @termios: ktermios structure holding user requested state * @ispeed: input speed * @ospeed: output speed * * Encode the speeds set into the passed termios structure. This is * used as a library helper for drivers os that they can report back * the actual speed selected when it differs from the speed requested * * For maximal back compatibility with legacy SYS5/POSIX *nix behaviour * we need to carefully set the bits when the user does not get the * desired speed. We allow small margins and preserve as much of possible * of the input intent to keep compatiblity. * * Locking: Caller should hold termios lock. This is already held * when calling this function from the driver termios handler. * * The ifdefs deal with platforms whose owners have yet to update them * and will all go away once this is done. */ void tty_termios_encode_baud_rate(struct ktermios *termios, speed_t ibaud, speed_t obaud) { int i = 0; int ifound = -1, ofound = -1; int iclose = ibaud/50, oclose = obaud/50; int ibinput = 0; if (obaud == 0) /* CD dropped */ ibaud = 0; /* Clear ibaud to be sure */ termios->c_ispeed = ibaud; termios->c_ospeed = obaud; #ifdef BOTHER /* If the user asked for a precise weird speed give a precise weird answer. If they asked for a Bfoo speed they many have problems digesting non-exact replies so fuzz a bit */ if ((termios->c_cflag & CBAUD) == BOTHER) oclose = 0; if (((termios->c_cflag >> IBSHIFT) & CBAUD) == BOTHER) iclose = 0; if ((termios->c_cflag >> IBSHIFT) & CBAUD) ibinput = 1; /* An input speed was specified */ #endif termios->c_cflag &= ~CBAUD; /* * Our goal is to find a close match to the standard baud rate * returned. Walk the baud rate table and if we get a very close * match then report back the speed as a POSIX Bxxxx value by * preference */ do { if (obaud - oclose <= baud_table[i] && obaud + oclose >= baud_table[i]) { termios->c_cflag |= baud_bits[i]; ofound = i; } if (ibaud - iclose <= baud_table[i] && ibaud + iclose >= baud_table[i]) { /* For the case input == output don't set IBAUD bits if the user didn't do so */ if (ofound == i && !ibinput) ifound = i; #ifdef IBSHIFT else { ifound = i; termios->c_cflag |= (baud_bits[i] << IBSHIFT); } #endif } } while (++i < n_baud_table); /* * If we found no match then use BOTHER if provided or warn * the user their platform maintainer needs to wake up if not. */ #ifdef BOTHER if (ofound == -1) termios->c_cflag |= BOTHER; /* Set exact input bits only if the input and output differ or the user already did */ if (ifound == -1 && (ibaud != obaud || ibinput)) termios->c_cflag |= (BOTHER << IBSHIFT); #else if (ifound == -1 || ofound == -1) { static int warned; if (!warned++) printk(KERN_WARNING "tty: Unable to return correct " "speed data as your architecture needs updating.\n"); } #endif } EXPORT_SYMBOL_GPL(tty_termios_encode_baud_rate); void tty_encode_baud_rate(struct tty_struct *tty, speed_t ibaud, speed_t obaud) { tty_termios_encode_baud_rate(tty->termios, ibaud, obaud); } EXPORT_SYMBOL_GPL(tty_encode_baud_rate); /** * tty_get_baud_rate - get tty bit rates * @tty: tty to query * * Returns the baud rate as an integer for this terminal. The * termios lock must be held by the caller and the terminal bit * flags may be updated. * * Locking: none */ speed_t tty_get_baud_rate(struct tty_struct *tty) { speed_t baud = tty_termios_baud_rate(tty->termios); if (baud == 38400 && tty->alt_speed) { if (!tty->warned) { printk(KERN_WARNING "Use of setserial/setrocket to " "set SPD_* flags is deprecated\n"); tty->warned = 1; } baud = tty->alt_speed; } return baud; } EXPORT_SYMBOL(tty_get_baud_rate); /** * tty_termios_copy_hw - copy hardware settings * @new: New termios * @old: Old termios * * Propogate the hardware specific terminal setting bits from * the old termios structure to the new one. This is used in cases * where the hardware does not support reconfiguration or as a helper * in some cases where only minimal reconfiguration is supported */ void tty_termios_copy_hw(struct ktermios *new, struct ktermios *old) { /* The bits a dumb device handles in software. Smart devices need to always provide a set_termios method */ new->c_cflag &= HUPCL | CREAD | CLOCAL; new->c_cflag |= old->c_cflag & ~(HUPCL | CREAD | CLOCAL); new->c_ispeed = old->c_ispeed; new->c_ospeed = old->c_ospeed; } EXPORT_SYMBOL(tty_termios_copy_hw); /** * tty_termios_hw_change - check for setting change * @a: termios * @b: termios to compare * * Check if any of the bits that affect a dumb device have changed * between the two termios structures, or a speed change is needed. */ int tty_termios_hw_change(struct ktermios *a, struct ktermios *b) { if (a->c_ispeed != b->c_ispeed || a->c_ospeed != b->c_ospeed) return 1; if ((a->c_cflag ^ b->c_cflag) & ~(HUPCL | CREAD | CLOCAL)) return 1; return 0; } EXPORT_SYMBOL(tty_termios_hw_change); /** * change_termios - update termios values * @tty: tty to update * @new_termios: desired new value * * Perform updates to the termios values set on this terminal. There * is a bit of layering violation here with n_tty in terms of the * internal knowledge of this function. * * Locking: termios_sem */ static void change_termios(struct tty_struct *tty, struct ktermios *new_termios) { int canon_change; struct ktermios old_termios = *tty->termios; struct tty_ldisc *ld; /* * Perform the actual termios internal changes under lock. */ /* FIXME: we need to decide on some locking/ordering semantics for the set_termios notification eventually */ mutex_lock(&tty->termios_mutex); *tty->termios = *new_termios; unset_locked_termios(tty->termios, &old_termios, tty->termios_locked); canon_change = (old_termios.c_lflag ^ tty->termios->c_lflag) & ICANON; if (canon_change) { memset(&tty->read_flags, 0, sizeof tty->read_flags); tty->canon_head = tty->read_tail; tty->canon_data = 0; tty->erasing = 0; } /* This bit should be in the ldisc code */ if (canon_change && !L_ICANON(tty) && tty->read_cnt) /* Get characters left over from canonical mode. */ wake_up_interruptible(&tty->read_wait); /* See if packet mode change of state. */ if (tty->link && tty->link->packet) { int old_flow = ((old_termios.c_iflag & IXON) && (old_termios.c_cc[VSTOP] == '\023') && (old_termios.c_cc[VSTART] == '\021')); int new_flow = (I_IXON(tty) && STOP_CHAR(tty) == '\023' && START_CHAR(tty) == '\021'); if (old_flow != new_flow) { tty->ctrl_status &= ~(TIOCPKT_DOSTOP | TIOCPKT_NOSTOP); if (new_flow) tty->ctrl_status |= TIOCPKT_DOSTOP; else tty->ctrl_status |= TIOCPKT_NOSTOP; wake_up_interruptible(&tty->link->read_wait); } } if (tty->driver->set_termios) (*tty->driver->set_termios)(tty, &old_termios); else tty_termios_copy_hw(tty->termios, &old_termios); ld = tty_ldisc_ref(tty); if (ld != NULL) { if (ld->set_termios) (ld->set_termios)(tty, &old_termios); tty_ldisc_deref(ld); } mutex_unlock(&tty->termios_mutex); } /** * set_termios - set termios values for a tty * @tty: terminal device * @arg: user data * @opt: option information * * Helper function to prepare termios data and run neccessary other * functions before using change_termios to do the actual changes. * * Locking: * Called functions take ldisc and termios_sem locks */ static int set_termios(struct tty_struct *tty, void __user *arg, int opt) { struct ktermios tmp_termios; struct tty_ldisc *ld; int retval = tty_check_change(tty); if (retval) return retval; memcpy(&tmp_termios, tty->termios, sizeof(struct ktermios)); if (opt & TERMIOS_TERMIO) { if (user_termio_to_kernel_termios(&tmp_termios, (struct termio __user *)arg)) return -EFAULT; #ifdef TCGETS2 } else if (opt & TERMIOS_OLD) { if (user_termios_to_kernel_termios_1(&tmp_termios, (struct termios __user *)arg)) return -EFAULT; } else { if (user_termios_to_kernel_termios(&tmp_termios, (struct termios2 __user *)arg)) return -EFAULT; } #else } else if (user_termios_to_kernel_termios(&tmp_termios, (struct termios __user *)arg)) return -EFAULT; #endif /* If old style Bfoo values are used then load c_ispeed/c_ospeed * with the real speed so its unconditionally usable */ tmp_termios.c_ispeed = tty_termios_input_baud_rate(&tmp_termios); tmp_termios.c_ospeed = tty_termios_baud_rate(&tmp_termios); ld = tty_ldisc_ref(tty); if (ld != NULL) { if ((opt & TERMIOS_FLUSH) && ld->flush_buffer) ld->flush_buffer(tty); tty_ldisc_deref(ld); } if (opt & TERMIOS_WAIT) { tty_wait_until_sent(tty, 0); if (signal_pending(current)) return -EINTR; } change_termios(tty, &tmp_termios); /* FIXME: Arguably if tmp_termios == tty->termios AND the actual requested termios was not tmp_termios then we may want to return an error as no user requested change has succeeded */ return 0; } static int get_termio(struct tty_struct *tty, struct termio __user *termio) { if (kernel_termios_to_user_termio(termio, tty->termios)) return -EFAULT; return 0; } static unsigned long inq_canon(struct tty_struct *tty) { int nr, head, tail; if (!tty->canon_data || !tty->read_buf) return 0; head = tty->canon_head; tail = tty->read_tail; nr = (head - tail) & (N_TTY_BUF_SIZE-1); /* Skip EOF-chars.. */ while (head != tail) { if (test_bit(tail, tty->read_flags) && tty->read_buf[tail] == __DISABLED_CHAR) nr--; tail = (tail+1) & (N_TTY_BUF_SIZE-1); } return nr; } #ifdef TIOCGETP /* * These are deprecated, but there is limited support.. * * The "sg_flags" translation is a joke.. */ static int get_sgflags(struct tty_struct *tty) { int flags = 0; if (!(tty->termios->c_lflag & ICANON)) { if (tty->termios->c_lflag & ISIG) flags |= 0x02; /* cbreak */ else flags |= 0x20; /* raw */ } if (tty->termios->c_lflag & ECHO) flags |= 0x08; /* echo */ if (tty->termios->c_oflag & OPOST) if (tty->termios->c_oflag & ONLCR) flags |= 0x10; /* crmod */ return flags; } static int get_sgttyb(struct tty_struct *tty, struct sgttyb __user *sgttyb) { struct sgttyb tmp; mutex_lock(&tty->termios_mutex); tmp.sg_ispeed = tty->termios->c_ispeed; tmp.sg_ospeed = tty->termios->c_ospeed; tmp.sg_erase = tty->termios->c_cc[VERASE]; tmp.sg_kill = tty->termios->c_cc[VKILL]; tmp.sg_flags = get_sgflags(tty); mutex_unlock(&tty->termios_mutex); return copy_to_user(sgttyb, &tmp, sizeof(tmp)) ? -EFAULT : 0; } static void set_sgflags(struct ktermios *termios, int flags) { termios->c_iflag = ICRNL | IXON; termios->c_oflag = 0; termios->c_lflag = ISIG | ICANON; if (flags & 0x02) { /* cbreak */ termios->c_iflag = 0; termios->c_lflag &= ~ICANON; } if (flags & 0x08) { /* echo */ termios->c_lflag |= ECHO | ECHOE | ECHOK | ECHOCTL | ECHOKE | IEXTEN; } if (flags & 0x10) { /* crmod */ termios->c_oflag |= OPOST | ONLCR; } if (flags & 0x20) { /* raw */ termios->c_iflag = 0; termios->c_lflag &= ~(ISIG | ICANON); } if (!(termios->c_lflag & ICANON)) { termios->c_cc[VMIN] = 1; termios->c_cc[VTIME] = 0; } } /** * set_sgttyb - set legacy terminal values * @tty: tty structure * @sgttyb: pointer to old style terminal structure * * Updates a terminal from the legacy BSD style terminal information * structure. * * Locking: termios_sem */ static int set_sgttyb(struct tty_struct *tty, struct sgttyb __user *sgttyb) { int retval; struct sgttyb tmp; struct ktermios termios; retval = tty_check_change(tty); if (retval) return retval; if (copy_from_user(&tmp, sgttyb, sizeof(tmp))) return -EFAULT; mutex_lock(&tty->termios_mutex); termios = *tty->termios; termios.c_cc[VERASE] = tmp.sg_erase; termios.c_cc[VKILL] = tmp.sg_kill; set_sgflags(&termios, tmp.sg_flags); /* Try and encode into Bfoo format */ #ifdef BOTHER tty_termios_encode_baud_rate(&termios, termios.c_ispeed, termios.c_ospeed); #endif mutex_unlock(&tty->termios_mutex); change_termios(tty, &termios); return 0; } #endif #ifdef TIOCGETC static int get_tchars(struct tty_struct *tty, struct tchars __user *tchars) { struct tchars tmp; tmp.t_intrc = tty->termios->c_cc[VINTR]; tmp.t_quitc = tty->termios->c_cc[VQUIT]; tmp.t_startc = tty->termios->c_cc[VSTART]; tmp.t_stopc = tty->termios->c_cc[VSTOP]; tmp.t_eofc = tty->termios->c_cc[VEOF]; tmp.t_brkc = tty->termios->c_cc[VEOL2]; /* what is brkc anyway? */ return copy_to_user(tchars, &tmp, sizeof(tmp)) ? -EFAULT : 0; } static int set_tchars(struct tty_struct *tty, struct tchars __user *tchars) { struct tchars tmp; if (copy_from_user(&tmp, tchars, sizeof(tmp))) return -EFAULT; tty->termios->c_cc[VINTR] = tmp.t_intrc; tty->termios->c_cc[VQUIT] = tmp.t_quitc; tty->termios->c_cc[VSTART] = tmp.t_startc; tty->termios->c_cc[VSTOP] = tmp.t_stopc; tty->termios->c_cc[VEOF] = tmp.t_eofc; tty->termios->c_cc[VEOL2] = tmp.t_brkc; /* what is brkc anyway? */ return 0; } #endif #ifdef TIOCGLTC static int get_ltchars(struct tty_struct *tty, struct ltchars __user *ltchars) { struct ltchars tmp; tmp.t_suspc = tty->termios->c_cc[VSUSP]; /* what is dsuspc anyway? */ tmp.t_dsuspc = tty->termios->c_cc[VSUSP]; tmp.t_rprntc = tty->termios->c_cc[VREPRINT]; /* what is flushc anyway? */ tmp.t_flushc = tty->termios->c_cc[VEOL2]; tmp.t_werasc = tty->termios->c_cc[VWERASE]; tmp.t_lnextc = tty->termios->c_cc[VLNEXT]; return copy_to_user(ltchars, &tmp, sizeof(tmp)) ? -EFAULT : 0; } static int set_ltchars(struct tty_struct *tty, struct ltchars __user *ltchars) { struct ltchars tmp; if (copy_from_user(&tmp, ltchars, sizeof(tmp))) return -EFAULT; tty->termios->c_cc[VSUSP] = tmp.t_suspc; /* what is dsuspc anyway? */ tty->termios->c_cc[VEOL2] = tmp.t_dsuspc; tty->termios->c_cc[VREPRINT] = tmp.t_rprntc; /* what is flushc anyway? */ tty->termios->c_cc[VEOL2] = tmp.t_flushc; tty->termios->c_cc[VWERASE] = tmp.t_werasc; tty->termios->c_cc[VLNEXT] = tmp.t_lnextc; return 0; } #endif /** * send_prio_char - send priority character * * Send a high priority character to the tty even if stopped * * Locking: none for xchar method, write ordering for write method. */ static int send_prio_char(struct tty_struct *tty, char ch) { int was_stopped = tty->stopped; if (tty->driver->send_xchar) { tty->driver->send_xchar(tty, ch); return 0; } if (tty_write_lock(tty, 0) < 0) return -ERESTARTSYS; if (was_stopped) start_tty(tty); tty->driver->write(tty, &ch, 1); if (was_stopped) stop_tty(tty); tty_write_unlock(tty); return 0; } /** * tty_change_softcar - carrier change ioctl helper * @tty: tty to update * @arg: enable/disable CLOCAL * * Perform a change to the CLOCAL state and call into the driver * layer to make it visible. All done with the termios mutex */ static int tty_change_softcar(struct tty_struct *tty, int arg) { int ret = 0; int bit = arg ? CLOCAL : 0; struct ktermios old = *tty->termios; mutex_lock(&tty->termios_mutex); tty->termios->c_cflag &= ~CLOCAL; tty->termios->c_cflag |= bit; if (tty->driver->set_termios) tty->driver->set_termios(tty, &old); if ((tty->termios->c_cflag & CLOCAL) != bit) ret = -EINVAL; mutex_unlock(&tty->termios_mutex); return ret; } /** * tty_mode_ioctl - mode related ioctls * @tty: tty for the ioctl * @file: file pointer for the tty * @cmd: command * @arg: ioctl argument * * Perform non line discipline specific mode control ioctls. This * is designed to be called by line disciplines to ensure they provide * consistent mode setting. */ int tty_mode_ioctl(struct tty_struct *tty, struct file *file, unsigned int cmd, unsigned long arg) { struct tty_struct *real_tty; void __user *p = (void __user *)arg; if (tty->driver->type == TTY_DRIVER_TYPE_PTY && tty->driver->subtype == PTY_TYPE_MASTER) real_tty = tty->link; else real_tty = tty; switch (cmd) { #ifdef TIOCGETP case TIOCGETP: return get_sgttyb(real_tty, (struct sgttyb __user *) arg); case TIOCSETP: case TIOCSETN: return set_sgttyb(real_tty, (struct sgttyb __user *) arg); #endif #ifdef TIOCGETC case TIOCGETC: return get_tchars(real_tty, p); case TIOCSETC: return set_tchars(real_tty, p); #endif #ifdef TIOCGLTC case TIOCGLTC: return get_ltchars(real_tty, p); case TIOCSLTC: return set_ltchars(real_tty, p); #endif case TCSETSF: return set_termios(real_tty, p, TERMIOS_FLUSH | TERMIOS_WAIT | TERMIOS_OLD); case TCSETSW: return set_termios(real_tty, p, TERMIOS_WAIT | TERMIOS_OLD); case TCSETS: return set_termios(real_tty, p, TERMIOS_OLD); #ifndef TCGETS2 case TCGETS: if (kernel_termios_to_user_termios((struct termios __user *)arg, real_tty->termios)) return -EFAULT; return 0; #else case TCGETS: if (kernel_termios_to_user_termios_1((struct termios __user *)arg, real_tty->termios)) return -EFAULT; return 0; case TCGETS2: if (kernel_termios_to_user_termios((struct termios2 __user *)arg, real_tty->termios)) return -EFAULT; return 0; case TCSETSF2: return set_termios(real_tty, p, TERMIOS_FLUSH | TERMIOS_WAIT); case TCSETSW2: return set_termios(real_tty, p, TERMIOS_WAIT); case TCSETS2: return set_termios(real_tty, p, 0); #endif case TCGETA: return get_termio(real_tty, p); case TCSETAF: return set_termios(real_tty, p, TERMIOS_FLUSH | TERMIOS_WAIT | TERMIOS_TERMIO); case TCSETAW: return set_termios(real_tty, p, TERMIOS_WAIT | TERMIOS_TERMIO); case TCSETA: return set_termios(real_tty, p, TERMIOS_TERMIO); #ifndef TCGETS2 case TIOCGLCKTRMIOS: if (kernel_termios_to_user_termios((struct termios __user *)arg, real_tty->termios_locked)) return -EFAULT; return 0; case TIOCSLCKTRMIOS: if (!capable(CAP_SYS_ADMIN)) return -EPERM; if (user_termios_to_kernel_termios(real_tty->termios_locked, (struct termios __user *) arg)) return -EFAULT; return 0; #else case TIOCGLCKTRMIOS: if (kernel_termios_to_user_termios_1((struct termios __user *)arg, real_tty->termios_locked)) return -EFAULT; return 0; case TIOCSLCKTRMIOS: if (!capable(CAP_SYS_ADMIN)) return -EPERM; if (user_termios_to_kernel_termios_1(real_tty->termios_locked, (struct termios __user *) arg)) return -EFAULT; return 0; #endif case TIOCGSOFTCAR: /* FIXME: for correctness we may need to take the termios lock here - review */ return put_user(C_CLOCAL(real_tty) ? 1 : 0, (int __user *)arg); case TIOCSSOFTCAR: if (get_user(arg, (unsigned int __user *) arg)) return -EFAULT; return tty_change_softcar(real_tty, arg); default: return -ENOIOCTLCMD; } } EXPORT_SYMBOL_GPL(tty_mode_ioctl); int tty_perform_flush(struct tty_struct *tty, unsigned long arg) { struct tty_ldisc *ld; int retval = tty_check_change(tty); if (retval) return retval; ld = tty_ldisc_ref(tty); switch (arg) { case TCIFLUSH: if (ld && ld->flush_buffer) ld->flush_buffer(tty); break; case TCIOFLUSH: if (ld && ld->flush_buffer) ld->flush_buffer(tty); /* fall through */ case TCOFLUSH: if (tty->driver->flush_buffer) tty->driver->flush_buffer(tty); break; default: tty_ldisc_deref(ld); return -EINVAL; } tty_ldisc_deref(ld); return 0; } EXPORT_SYMBOL_GPL(tty_perform_flush); int n_tty_ioctl(struct tty_struct *tty, struct file *file, unsigned int cmd, unsigned long arg) { struct tty_struct *real_tty; int retval; if (tty->driver->type == TTY_DRIVER_TYPE_PTY && tty->driver->subtype == PTY_TYPE_MASTER) real_tty = tty->link; else real_tty = tty; switch (cmd) { case TCXONC: retval = tty_check_change(tty); if (retval) return retval; switch (arg) { case TCOOFF: if (!tty->flow_stopped) { tty->flow_stopped = 1; stop_tty(tty); } break; case TCOON: if (tty->flow_stopped) { tty->flow_stopped = 0; start_tty(tty); } break; case TCIOFF: if (STOP_CHAR(tty) != __DISABLED_CHAR) return send_prio_char(tty, STOP_CHAR(tty)); break; case TCION: if (START_CHAR(tty) != __DISABLED_CHAR) return send_prio_char(tty, START_CHAR(tty)); break; default: return -EINVAL; } return 0; case TCFLSH: return tty_perform_flush(tty, arg); case TIOCOUTQ: return put_user(tty->driver->chars_in_buffer ? tty->driver->chars_in_buffer(tty) : 0, (int __user *) arg); case TIOCINQ: retval = tty->read_cnt; if (L_ICANON(tty)) retval = inq_canon(tty); return put_user(retval, (unsigned int __user *) arg); case TIOCPKT: { int pktmode; if (tty->driver->type != TTY_DRIVER_TYPE_PTY || tty->driver->subtype != PTY_TYPE_MASTER) return -ENOTTY; if (get_user(pktmode, (int __user *) arg)) return -EFAULT; if (pktmode) { if (!tty->packet) { tty->packet = 1; tty->link->ctrl_status = 0; } } else tty->packet = 0; return 0; } default: /* Try the mode commands */ return tty_mode_ioctl(tty, file, cmd, arg); } } EXPORT_SYMBOL(n_tty_ioctl);
gpl-2.0
tomvand/paparazzi-gazebo
sw/tools/vectornav_configurator/Makefile
85
all: g++ VectorNavSetup_console.cpp -o vn_console_setup clean: rm vn_console_setup
gpl-2.0
md-5/jdk10
test/jdk/java/util/concurrent/tck/AtomicBoolean9Test.java
7537
/* * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License version 2 only, as * published by the Free Software Foundation. * * This code is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * You should have received a copy of the GNU General Public License version * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ /* * This file is available under and governed by the GNU General Public * License version 2 only, as published by the Free Software Foundation. * However, the following notice accompanied the original version of this * file: * * Written by Doug Lea with assistance from members of JCP JSR-166 * Expert Group and released to the public domain, as explained at * http://creativecommons.org/publicdomain/zero/1.0/ */ import java.util.concurrent.atomic.AtomicBoolean; import junit.framework.Test; import junit.framework.TestSuite; public class AtomicBoolean9Test extends JSR166TestCase { public static void main(String[] args) { main(suite(), args); } public static Test suite() { return new TestSuite(AtomicBoolean9Test.class); } /** * getPlain returns the last value set */ public void testGetPlainSet() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.getPlain()); ai.set(false); assertEquals(false, ai.getPlain()); ai.set(true); assertEquals(true, ai.getPlain()); } /** * getOpaque returns the last value set */ public void testGetOpaqueSet() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.getOpaque()); ai.set(false); assertEquals(false, ai.getOpaque()); ai.set(true); assertEquals(true, ai.getOpaque()); } /** * getAcquire returns the last value set */ public void testGetAcquireSet() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.getAcquire()); ai.set(false); assertEquals(false, ai.getAcquire()); ai.set(true); assertEquals(true, ai.getAcquire()); } /** * get returns the last value setPlain */ public void testGetSetPlain() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.get()); ai.setPlain(false); assertEquals(false, ai.get()); ai.setPlain(true); assertEquals(true, ai.get()); } /** * get returns the last value setOpaque */ public void testGetSetOpaque() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.get()); ai.setOpaque(false); assertEquals(false, ai.get()); ai.setOpaque(true); assertEquals(true, ai.get()); } /** * get returns the last value setRelease */ public void testGetSetRelease() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.get()); ai.setRelease(false); assertEquals(false, ai.get()); ai.setRelease(true); assertEquals(true, ai.get()); } /** * compareAndExchange succeeds in changing value if equal to * expected else fails */ public void testCompareAndExchange() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.compareAndExchange(true, false)); assertEquals(false, ai.compareAndExchange(false, false)); assertEquals(false, ai.get()); assertEquals(false, ai.compareAndExchange(true, true)); assertEquals(false, ai.get()); assertEquals(false, ai.compareAndExchange(false, true)); assertEquals(true, ai.get()); } /** * compareAndExchangeAcquire succeeds in changing value if equal to * expected else fails */ public void testCompareAndExchangeAcquire() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.compareAndExchangeAcquire(true, false)); assertEquals(false, ai.compareAndExchangeAcquire(false, false)); assertEquals(false, ai.get()); assertEquals(false, ai.compareAndExchangeAcquire(true, true)); assertEquals(false, ai.get()); assertEquals(false, ai.compareAndExchangeAcquire(false, true)); assertEquals(true, ai.get()); } /** * compareAndExchangeRelease succeeds in changing value if equal to * expected else fails */ public void testCompareAndExchangeRelease() { AtomicBoolean ai = new AtomicBoolean(true); assertEquals(true, ai.compareAndExchangeRelease(true, false)); assertEquals(false, ai.compareAndExchangeRelease(false, false)); assertEquals(false, ai.get()); assertEquals(false, ai.compareAndExchangeRelease(true, true)); assertEquals(false, ai.get()); assertEquals(false, ai.compareAndExchangeRelease(false, true)); assertEquals(true, ai.get()); } /** * repeated weakCompareAndSetPlain succeeds in changing value when equal * to expected */ public void testWeakCompareAndSetPlain() { AtomicBoolean ai = new AtomicBoolean(true); do {} while (!ai.weakCompareAndSetPlain(true, false)); do {} while (!ai.weakCompareAndSetPlain(false, false)); assertFalse(ai.get()); do {} while (!ai.weakCompareAndSetPlain(false, true)); assertTrue(ai.get()); } /** * repeated weakCompareAndSetVolatile succeeds in changing value when equal * to expected */ public void testWeakCompareAndSetVolatile() { AtomicBoolean ai = new AtomicBoolean(true); do {} while (!ai.weakCompareAndSetVolatile(true, false)); do {} while (!ai.weakCompareAndSetVolatile(false, false)); assertEquals(false, ai.get()); do {} while (!ai.weakCompareAndSetVolatile(false, true)); assertEquals(true, ai.get()); } /** * repeated weakCompareAndSetAcquire succeeds in changing value when equal * to expected */ public void testWeakCompareAndSetAcquire() { AtomicBoolean ai = new AtomicBoolean(true); do {} while (!ai.weakCompareAndSetAcquire(true, false)); do {} while (!ai.weakCompareAndSetAcquire(false, false)); assertEquals(false, ai.get()); do {} while (!ai.weakCompareAndSetAcquire(false, true)); assertEquals(true, ai.get()); } /** * repeated weakCompareAndSetRelease succeeds in changing value when equal * to expected */ public void testWeakCompareAndSetRelease() { AtomicBoolean ai = new AtomicBoolean(true); do {} while (!ai.weakCompareAndSetRelease(true, false)); do {} while (!ai.weakCompareAndSetRelease(false, false)); assertEquals(false, ai.get()); do {} while (!ai.weakCompareAndSetRelease(false, true)); assertEquals(true, ai.get()); } }
gpl-2.0
ChengXiaoZ/MariaDBserver
storage/tokudb/PerconaFT/src/tests/test_4015.cc
5525
/* -*- mode: C++; c-basic-offset: 4; indent-tabs-mode: nil -*- */ // vim: ft=cpp:expandtab:ts=8:sw=4:softtabstop=4: #ident "$Id$" /*====== This file is part of PerconaFT. Copyright (c) 2006, 2015, Percona and/or its affiliates. All rights reserved. PerconaFT is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License, version 2, as published by the Free Software Foundation. PerconaFT is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with PerconaFT. If not, see <http://www.gnu.org/licenses/>. ---------------------------------------- PerconaFT is free software: you can redistribute it and/or modify it under the terms of the GNU Affero General Public License, version 3, as published by the Free Software Foundation. PerconaFT is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License for more details. You should have received a copy of the GNU Affero General Public License along with PerconaFT. If not, see <http://www.gnu.org/licenses/>. ======= */ #ident "Copyright (c) 2006, 2015, Percona and/or its affiliates. All rights reserved." #include "test.h" #include "toku_pthread.h" #include <portability/toku_atomic.h> static int my_compare (DB *db, const DBT *a, const DBT *b) { assert(db); assert(db->cmp_descriptor); assert(db->cmp_descriptor->dbt.size >= 3); char *CAST_FROM_VOIDP(data, db->cmp_descriptor->dbt.data); assert(data[0]=='f'); assert(data[1]=='o'); assert(data[2]=='o'); if (verbose) printf("compare descriptor=%s\n", data); sched_yield(); return uint_dbt_cmp(db, a, b); } DB_ENV *env; DB *db; const char *env_dir = TOKU_TEST_FILENAME; volatile int done = 0; static void *startA (void *ignore __attribute__((__unused__))) { for (int i=0;i<999; i++) { DBT k,v; int a = (random()<<16) + i; dbt_init(&k, &a, sizeof(a)); dbt_init(&v, &a, sizeof(a)); DB_TXN *txn; again: { int chk_r = env->txn_begin(env, NULL, &txn, DB_TXN_NOSYNC); CKERR(chk_r); } { int r = db->put(db, txn, &k, &v, 0); if (r==DB_LOCK_NOTGRANTED) { if (verbose) printf("lock not granted on %d\n", i); { int chk_r = txn->abort(txn); CKERR(chk_r); } goto again; } assert(r==0); } { int chk_r = txn->commit(txn, 0); CKERR(chk_r); } } int r __attribute__((__unused__)) = toku_sync_fetch_and_add(&done, 1); return NULL; } static void change_descriptor (DB_TXN *txn, int i) { DBT desc; char foo[100]; snprintf(foo, 99, "foo%d", i); dbt_init(&desc, foo, 1+strlen(foo)); int r; if (verbose) printf("trying to change to %s\n", foo); while ((r=db->change_descriptor(db, txn, &desc, 0))) { if (verbose) printf("Change failed r=%d, try again\n", r); } if (verbose) printf("ok\n"); } static void startB (void) { for (int i=0; !done; i++) { IN_TXN_COMMIT(env, NULL, txn, 0, change_descriptor(txn, i)); sched_yield(); } } static void my_parse_args (int argc, char * const argv[]) { const char *argv0=argv[0]; while (argc>1) { int resultcode=0; if (strcmp(argv[1], "-v")==0) { verbose++; } else if (strcmp(argv[1],"-q")==0) { verbose--; if (verbose<0) verbose=0; } else if (strcmp(argv[1],"--envdir")==0) { assert(argc>2); env_dir = argv[2]; argc--; argv++; } else if (strcmp(argv[1], "-h")==0) { do_usage: fprintf(stderr, "Usage:\n%s [-v|-q] [-h] [--envdir <envdir>]\n", argv0); exit(resultcode); } else { resultcode=1; goto do_usage; } argc--; argv++; } } int test_main(int argc, char * const argv[]) { my_parse_args(argc, argv); db_env_set_num_bucket_mutexes(32); { int chk_r = db_env_create(&env, 0); CKERR(chk_r); } { int chk_r = env->set_redzone(env, 0); CKERR(chk_r); } { int chk_r = env->set_default_bt_compare(env, my_compare); CKERR(chk_r); } { const int size = 10+strlen(env_dir); char cmd[size]; snprintf(cmd, size, "rm -rf %s", env_dir); int r = system(cmd); CKERR(r); } { int chk_r = toku_os_mkdir(env_dir, S_IRWXU+S_IRWXG+S_IRWXO); CKERR(chk_r); } const int envflags = DB_INIT_MPOOL|DB_CREATE|DB_THREAD |DB_INIT_LOCK|DB_INIT_LOG|DB_INIT_TXN|DB_PRIVATE; { int chk_r = env->open(env, env_dir, envflags, S_IRWXU+S_IRWXG+S_IRWXO); CKERR(chk_r); } { int chk_r = db_create(&db, env, 0); CKERR(chk_r); } { int chk_r = db->set_pagesize(db, 1024); CKERR(chk_r); } { int chk_r = db->open(db, NULL, "db", NULL, DB_BTREE, DB_CREATE, 0666); CKERR(chk_r); } DBT desc; dbt_init(&desc, "foo", sizeof("foo")); IN_TXN_COMMIT(env, NULL, txn, 0, { int chk_r = db->change_descriptor(db, txn, &desc, DB_UPDATE_CMP_DESCRIPTOR); CKERR(chk_r); }); pthread_t thd; { int chk_r = toku_pthread_create(&thd, NULL, startA, NULL); CKERR(chk_r); } startB(); void *retval; { int chk_r = toku_pthread_join(thd, &retval); CKERR(chk_r); } assert(retval==NULL); { int chk_r = db->close(db, 0); CKERR(chk_r); } { int chk_r = env->close(env, 0); CKERR(chk_r); } return 0; }
gpl-2.0
lxl1140989/dmsdk
uboot/u-boot-dm6291/include/configs/omap5_uevm.h
1969
/* * (C) Copyright 2013 * Texas Instruments Incorporated. * Sricharan R <[email protected]> * * Configuration settings for the TI EVM5430 board. * See omap5_common.h for omap5 common settings. * * See file CREDITS for list of people who contributed to this * project. * * This program is free software; you can redistribute it and/or * modify it under the terms of the GNU General Public License as * published by the Free Software Foundation; either version 2 of * the License, or (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, * MA 02111-1307 USA */ #ifndef __CONFIG_OMAP5_EVM_H #define __CONFIG_OMAP5_EVM_H /* Define the default GPT table for eMMC */ #define PARTS_DEFAULT \ "uuid_disk=${uuid_gpt_disk};" \ "name=rootfs,start=2MiB,size=-,uuid=${uuid_gpt_rootfs}" #include <configs/omap5_common.h> #define CONFIG_CONS_INDEX 3 #define CONFIG_SYS_NS16550_COM3 UART3_BASE #define CONFIG_BAUDRATE 115200 /* MMC ENV related defines */ #define CONFIG_ENV_IS_IN_MMC #define CONFIG_SYS_MMC_ENV_DEV 1 /* SLOT2: eMMC(1) */ #define CONFIG_ENV_OFFSET 0xE0000 #define CONFIG_ENV_OFFSET_REDUND (CONFIG_ENV_OFFSET + CONFIG_ENV_SIZE) #define CONFIG_SYS_REDUNDAND_ENVIRONMENT #define CONFIG_CMD_SAVEENV /* Enhance our eMMC support / experience. */ #define CONFIG_CMD_GPT #define CONFIG_EFI_PARTITION #define CONFIG_PARTITION_UUIDS #define CONFIG_CMD_PART #define CONFIG_SYS_PROMPT "OMAP5432 uEVM # " #define CONSOLEDEV "ttyO2" #define CONFIG_OMAP_PLATFORM_RESET_TIME_MAX_USEC 16296 #endif /* __CONFIG_OMAP5_EVM_H */
gpl-2.0
washingtonstateuniversity/WSU-Lists
www/admin/help/de/preparemessage.php
2382
<p>Auf dieser Seite k&ouml;nnen Sie eine Nachricht vorbereiten, die erst zu einem sp&auml;teren Zeitpunkt verschickt werden soll. Sie k&ouml;nnen alle erforderlichen Angaben erfassen - ausser an welche Liste(n) die Nachricht versendet werden soll. Dies geschieht erst in dem Moment, wo Sie eine vorbereitete Nachricht tats&auml;chlich versenden.</p> <p>Eine vorbereitete Nachricht verschwindet nicht, wenn sie einmal verschickt wurde, sondern bleibt als Vorlage erhalten und kann mehrfach f&uuml;r einen Nachrichtenversand benutzt werden. Bitte seien Sie vorsichtig mit dieser Funktion, denn es k&ouml;nnte leicht passieren, dass Sie versehentlich dieselbe Nachricht mehrfach an dieselben Emfp&auml;nger senden.</p> <p>Die M&ouml;glichkeit, Nachrichten vorzubereiten und als Vorlagen zu benutzen, wurde insbesondere im Hinblick auf Systeme mit mehrere Administratoren entwickelt. Wenn der Haupt-Administrator eine Nachricht vorbereitet, kann sie anschliessend von Sub-Administratoren an deren jeweiligen Listen versendet werden. In diesem Fall k&ouml;nnen Sie zus&auml;tzliche Platzhalter in Ihre Nachricht einf&uuml;gen: die Administratoren-Attribute.</p> <p>Wenn Sie beispielsweise ein Administratoren-Attribut <b>Name</b> definiert haben, dann k&ouml;nnen Sie [LISTOWNER.NAME] als Platzhalter verwenden. In diesem Fall wird der Platzhalter durch den Namen des Besitzers derjenigen Liste ersetzt, an welche die Nachricht verschickt wird. Dies gilt unabh&auml;ngig davon, wer die Nachricht effektiv verschickt: Wenn also der Haupt-Administrator eine Nachricht an eine Liste verschickt, deren Besitzer ein anderer Administrator ist, so werden die [LISTOWNER]-Platzhalter trotzdem mit den Daten des jeweiligen Besitzers ersetzt (und nicht mit den Daten des Haupt-Administrators). </p> <p>Das Format f&uuml;r [LISTOWNER]-Platzhalter ist <b>[LISTOWNER.ATTRIBUT]</b></p> <p>Zur Zeit sind folgende Administratoren-Attribute im System definiert: <table border=1 cellspacing=0 cellpadding=2> <tr> <td><b>Attribut</b></td> <td><b>Platzhalter</b></td> </tr> <?php $req = Sql_query("select name from {$tables["adminattribute"]} order by listorder"); if (!Sql_Affected_Rows()) print '<tr><td colspan=2>-</td></tr>'; while ($row = Sql_Fetch_Row($req)) if (strlen($row[0]) < 20) printf ('<tr><td>%s</td><td>[LISTOWNER.%s]</td></tr>',$row[0],strtoupper($row[0])); ?> </table>
gpl-2.0
c0d3z3r0/linux-rockchip
drivers/net/ethernet/mellanox/mlx5/core/main.c
40652
/* * Copyright (c) 2013-2015, Mellanox Technologies. All rights reserved. * * This software is available to you under a choice of one of two * licenses. You may choose to be licensed under the terms of the GNU * General Public License (GPL) Version 2, available from the file * COPYING in the main directory of this source tree, or the * OpenIB.org BSD license below: * * Redistribution and use in source and binary forms, with or * without modification, are permitted provided that the following * conditions are met: * * - Redistributions of source code must retain the above * copyright notice, this list of conditions and the following * disclaimer. * * - Redistributions in binary form must reproduce the above * copyright notice, this list of conditions and the following * disclaimer in the documentation and/or other materials * provided with the distribution. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF * MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS * BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN * ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN * CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE * SOFTWARE. */ #include <linux/highmem.h> #include <linux/module.h> #include <linux/init.h> #include <linux/errno.h> #include <linux/pci.h> #include <linux/dma-mapping.h> #include <linux/slab.h> #include <linux/io-mapping.h> #include <linux/interrupt.h> #include <linux/delay.h> #include <linux/mlx5/driver.h> #include <linux/mlx5/cq.h> #include <linux/mlx5/qp.h> #include <linux/debugfs.h> #include <linux/kmod.h> #include <linux/mlx5/mlx5_ifc.h> #include <linux/mlx5/vport.h> #ifdef CONFIG_RFS_ACCEL #include <linux/cpu_rmap.h> #endif #include <net/devlink.h> #include "mlx5_core.h" #include "lib/eq.h" #include "fs_core.h" #include "lib/mpfs.h" #include "eswitch.h" #include "devlink.h" #include "lib/mlx5.h" #include "fpga/core.h" #include "fpga/ipsec.h" #include "accel/ipsec.h" #include "accel/tls.h" #include "lib/clock.h" #include "lib/vxlan.h" #include "lib/geneve.h" #include "lib/devcom.h" #include "lib/pci_vsc.h" #include "diag/fw_tracer.h" #include "ecpf.h" #include "lib/hv_vhca.h" MODULE_AUTHOR("Eli Cohen <[email protected]>"); MODULE_DESCRIPTION("Mellanox 5th generation network adapters (ConnectX series) core driver"); MODULE_LICENSE("Dual BSD/GPL"); MODULE_VERSION(DRIVER_VERSION); unsigned int mlx5_core_debug_mask; module_param_named(debug_mask, mlx5_core_debug_mask, uint, 0644); MODULE_PARM_DESC(debug_mask, "debug mask: 1 = dump cmd data, 2 = dump cmd exec time, 3 = both. Default=0"); #define MLX5_DEFAULT_PROF 2 static unsigned int prof_sel = MLX5_DEFAULT_PROF; module_param_named(prof_sel, prof_sel, uint, 0444); MODULE_PARM_DESC(prof_sel, "profile selector. Valid range 0 - 2"); static u32 sw_owner_id[4]; enum { MLX5_ATOMIC_REQ_MODE_BE = 0x0, MLX5_ATOMIC_REQ_MODE_HOST_ENDIANNESS = 0x1, }; static struct mlx5_profile profile[] = { [0] = { .mask = 0, }, [1] = { .mask = MLX5_PROF_MASK_QP_SIZE, .log_max_qp = 12, }, [2] = { .mask = MLX5_PROF_MASK_QP_SIZE | MLX5_PROF_MASK_MR_CACHE, .log_max_qp = 18, .mr_cache[0] = { .size = 500, .limit = 250 }, .mr_cache[1] = { .size = 500, .limit = 250 }, .mr_cache[2] = { .size = 500, .limit = 250 }, .mr_cache[3] = { .size = 500, .limit = 250 }, .mr_cache[4] = { .size = 500, .limit = 250 }, .mr_cache[5] = { .size = 500, .limit = 250 }, .mr_cache[6] = { .size = 500, .limit = 250 }, .mr_cache[7] = { .size = 500, .limit = 250 }, .mr_cache[8] = { .size = 500, .limit = 250 }, .mr_cache[9] = { .size = 500, .limit = 250 }, .mr_cache[10] = { .size = 500, .limit = 250 }, .mr_cache[11] = { .size = 500, .limit = 250 }, .mr_cache[12] = { .size = 64, .limit = 32 }, .mr_cache[13] = { .size = 32, .limit = 16 }, .mr_cache[14] = { .size = 16, .limit = 8 }, .mr_cache[15] = { .size = 8, .limit = 4 }, }, }; #define FW_INIT_TIMEOUT_MILI 2000 #define FW_INIT_WAIT_MS 2 #define FW_PRE_INIT_TIMEOUT_MILI 120000 #define FW_INIT_WARN_MESSAGE_INTERVAL 20000 static int wait_fw_init(struct mlx5_core_dev *dev, u32 max_wait_mili, u32 warn_time_mili) { unsigned long warn = jiffies + msecs_to_jiffies(warn_time_mili); unsigned long end = jiffies + msecs_to_jiffies(max_wait_mili); int err = 0; BUILD_BUG_ON(FW_PRE_INIT_TIMEOUT_MILI < FW_INIT_WARN_MESSAGE_INTERVAL); while (fw_initializing(dev)) { if (time_after(jiffies, end)) { err = -EBUSY; break; } if (warn_time_mili && time_after(jiffies, warn)) { mlx5_core_warn(dev, "Waiting for FW initialization, timeout abort in %ds\n", jiffies_to_msecs(end - warn) / 1000); warn = jiffies + msecs_to_jiffies(warn_time_mili); } msleep(FW_INIT_WAIT_MS); } return err; } static void mlx5_set_driver_version(struct mlx5_core_dev *dev) { int driver_ver_sz = MLX5_FLD_SZ_BYTES(set_driver_version_in, driver_version); u8 in[MLX5_ST_SZ_BYTES(set_driver_version_in)] = {0}; u8 out[MLX5_ST_SZ_BYTES(set_driver_version_out)] = {0}; int remaining_size = driver_ver_sz; char *string; if (!MLX5_CAP_GEN(dev, driver_version)) return; string = MLX5_ADDR_OF(set_driver_version_in, in, driver_version); strncpy(string, "Linux", remaining_size); remaining_size = max_t(int, 0, driver_ver_sz - strlen(string)); strncat(string, ",", remaining_size); remaining_size = max_t(int, 0, driver_ver_sz - strlen(string)); strncat(string, DRIVER_NAME, remaining_size); remaining_size = max_t(int, 0, driver_ver_sz - strlen(string)); strncat(string, ",", remaining_size); remaining_size = max_t(int, 0, driver_ver_sz - strlen(string)); strncat(string, DRIVER_VERSION, remaining_size); /*Send the command*/ MLX5_SET(set_driver_version_in, in, opcode, MLX5_CMD_OP_SET_DRIVER_VERSION); mlx5_cmd_exec(dev, in, sizeof(in), out, sizeof(out)); } static int set_dma_caps(struct pci_dev *pdev) { int err; err = pci_set_dma_mask(pdev, DMA_BIT_MASK(64)); if (err) { dev_warn(&pdev->dev, "Warning: couldn't set 64-bit PCI DMA mask\n"); err = pci_set_dma_mask(pdev, DMA_BIT_MASK(32)); if (err) { dev_err(&pdev->dev, "Can't set PCI DMA mask, aborting\n"); return err; } } err = pci_set_consistent_dma_mask(pdev, DMA_BIT_MASK(64)); if (err) { dev_warn(&pdev->dev, "Warning: couldn't set 64-bit consistent PCI DMA mask\n"); err = pci_set_consistent_dma_mask(pdev, DMA_BIT_MASK(32)); if (err) { dev_err(&pdev->dev, "Can't set consistent PCI DMA mask, aborting\n"); return err; } } dma_set_max_seg_size(&pdev->dev, 2u * 1024 * 1024 * 1024); return err; } static int mlx5_pci_enable_device(struct mlx5_core_dev *dev) { struct pci_dev *pdev = dev->pdev; int err = 0; mutex_lock(&dev->pci_status_mutex); if (dev->pci_status == MLX5_PCI_STATUS_DISABLED) { err = pci_enable_device(pdev); if (!err) dev->pci_status = MLX5_PCI_STATUS_ENABLED; } mutex_unlock(&dev->pci_status_mutex); return err; } static void mlx5_pci_disable_device(struct mlx5_core_dev *dev) { struct pci_dev *pdev = dev->pdev; mutex_lock(&dev->pci_status_mutex); if (dev->pci_status == MLX5_PCI_STATUS_ENABLED) { pci_disable_device(pdev); dev->pci_status = MLX5_PCI_STATUS_DISABLED; } mutex_unlock(&dev->pci_status_mutex); } static int request_bar(struct pci_dev *pdev) { int err = 0; if (!(pci_resource_flags(pdev, 0) & IORESOURCE_MEM)) { dev_err(&pdev->dev, "Missing registers BAR, aborting\n"); return -ENODEV; } err = pci_request_regions(pdev, DRIVER_NAME); if (err) dev_err(&pdev->dev, "Couldn't get PCI resources, aborting\n"); return err; } static void release_bar(struct pci_dev *pdev) { pci_release_regions(pdev); } struct mlx5_reg_host_endianness { u8 he; u8 rsvd[15]; }; #define CAP_MASK(pos, size) ((u64)((1 << (size)) - 1) << (pos)) enum { MLX5_CAP_BITS_RW_MASK = CAP_MASK(MLX5_CAP_OFF_CMDIF_CSUM, 2) | MLX5_DEV_CAP_FLAG_DCT, }; static u16 to_fw_pkey_sz(struct mlx5_core_dev *dev, u32 size) { switch (size) { case 128: return 0; case 256: return 1; case 512: return 2; case 1024: return 3; case 2048: return 4; case 4096: return 5; default: mlx5_core_warn(dev, "invalid pkey table size %d\n", size); return 0; } } static int mlx5_core_get_caps_mode(struct mlx5_core_dev *dev, enum mlx5_cap_type cap_type, enum mlx5_cap_mode cap_mode) { u8 in[MLX5_ST_SZ_BYTES(query_hca_cap_in)]; int out_sz = MLX5_ST_SZ_BYTES(query_hca_cap_out); void *out, *hca_caps; u16 opmod = (cap_type << 1) | (cap_mode & 0x01); int err; memset(in, 0, sizeof(in)); out = kzalloc(out_sz, GFP_KERNEL); if (!out) return -ENOMEM; MLX5_SET(query_hca_cap_in, in, opcode, MLX5_CMD_OP_QUERY_HCA_CAP); MLX5_SET(query_hca_cap_in, in, op_mod, opmod); err = mlx5_cmd_exec(dev, in, sizeof(in), out, out_sz); if (err) { mlx5_core_warn(dev, "QUERY_HCA_CAP : type(%x) opmode(%x) Failed(%d)\n", cap_type, cap_mode, err); goto query_ex; } hca_caps = MLX5_ADDR_OF(query_hca_cap_out, out, capability); switch (cap_mode) { case HCA_CAP_OPMOD_GET_MAX: memcpy(dev->caps.hca_max[cap_type], hca_caps, MLX5_UN_SZ_BYTES(hca_cap_union)); break; case HCA_CAP_OPMOD_GET_CUR: memcpy(dev->caps.hca_cur[cap_type], hca_caps, MLX5_UN_SZ_BYTES(hca_cap_union)); break; default: mlx5_core_warn(dev, "Tried to query dev cap type(%x) with wrong opmode(%x)\n", cap_type, cap_mode); err = -EINVAL; break; } query_ex: kfree(out); return err; } int mlx5_core_get_caps(struct mlx5_core_dev *dev, enum mlx5_cap_type cap_type) { int ret; ret = mlx5_core_get_caps_mode(dev, cap_type, HCA_CAP_OPMOD_GET_CUR); if (ret) return ret; return mlx5_core_get_caps_mode(dev, cap_type, HCA_CAP_OPMOD_GET_MAX); } static int set_caps(struct mlx5_core_dev *dev, void *in, int in_sz, int opmod) { u32 out[MLX5_ST_SZ_DW(set_hca_cap_out)] = {0}; MLX5_SET(set_hca_cap_in, in, opcode, MLX5_CMD_OP_SET_HCA_CAP); MLX5_SET(set_hca_cap_in, in, op_mod, opmod << 1); return mlx5_cmd_exec(dev, in, in_sz, out, sizeof(out)); } static int handle_hca_cap_atomic(struct mlx5_core_dev *dev) { void *set_ctx; void *set_hca_cap; int set_sz = MLX5_ST_SZ_BYTES(set_hca_cap_in); int req_endianness; int err; if (MLX5_CAP_GEN(dev, atomic)) { err = mlx5_core_get_caps(dev, MLX5_CAP_ATOMIC); if (err) return err; } else { return 0; } req_endianness = MLX5_CAP_ATOMIC(dev, supported_atomic_req_8B_endianness_mode_1); if (req_endianness != MLX5_ATOMIC_REQ_MODE_HOST_ENDIANNESS) return 0; set_ctx = kzalloc(set_sz, GFP_KERNEL); if (!set_ctx) return -ENOMEM; set_hca_cap = MLX5_ADDR_OF(set_hca_cap_in, set_ctx, capability); /* Set requestor to host endianness */ MLX5_SET(atomic_caps, set_hca_cap, atomic_req_8B_endianness_mode, MLX5_ATOMIC_REQ_MODE_HOST_ENDIANNESS); err = set_caps(dev, set_ctx, set_sz, MLX5_SET_HCA_CAP_OP_MOD_ATOMIC); kfree(set_ctx); return err; } static int handle_hca_cap_odp(struct mlx5_core_dev *dev) { void *set_hca_cap; void *set_ctx; int set_sz; bool do_set = false; int err; if (!IS_ENABLED(CONFIG_INFINIBAND_ON_DEMAND_PAGING) || !MLX5_CAP_GEN(dev, pg)) return 0; err = mlx5_core_get_caps(dev, MLX5_CAP_ODP); if (err) return err; set_sz = MLX5_ST_SZ_BYTES(set_hca_cap_in); set_ctx = kzalloc(set_sz, GFP_KERNEL); if (!set_ctx) return -ENOMEM; set_hca_cap = MLX5_ADDR_OF(set_hca_cap_in, set_ctx, capability); memcpy(set_hca_cap, dev->caps.hca_cur[MLX5_CAP_ODP], MLX5_ST_SZ_BYTES(odp_cap)); #define ODP_CAP_SET_MAX(dev, field) \ do { \ u32 _res = MLX5_CAP_ODP_MAX(dev, field); \ if (_res) { \ do_set = true; \ MLX5_SET(odp_cap, set_hca_cap, field, _res); \ } \ } while (0) ODP_CAP_SET_MAX(dev, ud_odp_caps.srq_receive); ODP_CAP_SET_MAX(dev, rc_odp_caps.srq_receive); ODP_CAP_SET_MAX(dev, xrc_odp_caps.srq_receive); ODP_CAP_SET_MAX(dev, xrc_odp_caps.send); ODP_CAP_SET_MAX(dev, xrc_odp_caps.receive); ODP_CAP_SET_MAX(dev, xrc_odp_caps.write); ODP_CAP_SET_MAX(dev, xrc_odp_caps.read); ODP_CAP_SET_MAX(dev, xrc_odp_caps.atomic); ODP_CAP_SET_MAX(dev, dc_odp_caps.srq_receive); ODP_CAP_SET_MAX(dev, dc_odp_caps.send); ODP_CAP_SET_MAX(dev, dc_odp_caps.receive); ODP_CAP_SET_MAX(dev, dc_odp_caps.write); ODP_CAP_SET_MAX(dev, dc_odp_caps.read); ODP_CAP_SET_MAX(dev, dc_odp_caps.atomic); if (do_set) err = set_caps(dev, set_ctx, set_sz, MLX5_SET_HCA_CAP_OP_MOD_ODP); kfree(set_ctx); return err; } static int handle_hca_cap(struct mlx5_core_dev *dev) { void *set_ctx = NULL; struct mlx5_profile *prof = dev->profile; int err = -ENOMEM; int set_sz = MLX5_ST_SZ_BYTES(set_hca_cap_in); void *set_hca_cap; set_ctx = kzalloc(set_sz, GFP_KERNEL); if (!set_ctx) goto query_ex; err = mlx5_core_get_caps(dev, MLX5_CAP_GENERAL); if (err) goto query_ex; set_hca_cap = MLX5_ADDR_OF(set_hca_cap_in, set_ctx, capability); memcpy(set_hca_cap, dev->caps.hca_cur[MLX5_CAP_GENERAL], MLX5_ST_SZ_BYTES(cmd_hca_cap)); mlx5_core_dbg(dev, "Current Pkey table size %d Setting new size %d\n", mlx5_to_sw_pkey_sz(MLX5_CAP_GEN(dev, pkey_table_size)), 128); /* we limit the size of the pkey table to 128 entries for now */ MLX5_SET(cmd_hca_cap, set_hca_cap, pkey_table_size, to_fw_pkey_sz(dev, 128)); /* Check log_max_qp from HCA caps to set in current profile */ if (MLX5_CAP_GEN_MAX(dev, log_max_qp) < profile[prof_sel].log_max_qp) { mlx5_core_warn(dev, "log_max_qp value in current profile is %d, changing it to HCA capability limit (%d)\n", profile[prof_sel].log_max_qp, MLX5_CAP_GEN_MAX(dev, log_max_qp)); profile[prof_sel].log_max_qp = MLX5_CAP_GEN_MAX(dev, log_max_qp); } if (prof->mask & MLX5_PROF_MASK_QP_SIZE) MLX5_SET(cmd_hca_cap, set_hca_cap, log_max_qp, prof->log_max_qp); /* disable cmdif checksum */ MLX5_SET(cmd_hca_cap, set_hca_cap, cmdif_checksum, 0); /* Enable 4K UAR only when HCA supports it and page size is bigger * than 4K. */ if (MLX5_CAP_GEN_MAX(dev, uar_4k) && PAGE_SIZE > 4096) MLX5_SET(cmd_hca_cap, set_hca_cap, uar_4k, 1); MLX5_SET(cmd_hca_cap, set_hca_cap, log_uar_page_sz, PAGE_SHIFT - 12); if (MLX5_CAP_GEN_MAX(dev, cache_line_128byte)) MLX5_SET(cmd_hca_cap, set_hca_cap, cache_line_128byte, cache_line_size() >= 128 ? 1 : 0); if (MLX5_CAP_GEN_MAX(dev, dct)) MLX5_SET(cmd_hca_cap, set_hca_cap, dct, 1); if (MLX5_CAP_GEN_MAX(dev, num_vhca_ports)) MLX5_SET(cmd_hca_cap, set_hca_cap, num_vhca_ports, MLX5_CAP_GEN_MAX(dev, num_vhca_ports)); err = set_caps(dev, set_ctx, set_sz, MLX5_SET_HCA_CAP_OP_MOD_GENERAL_DEVICE); query_ex: kfree(set_ctx); return err; } static int set_hca_cap(struct mlx5_core_dev *dev) { int err; err = handle_hca_cap(dev); if (err) { mlx5_core_err(dev, "handle_hca_cap failed\n"); goto out; } err = handle_hca_cap_atomic(dev); if (err) { mlx5_core_err(dev, "handle_hca_cap_atomic failed\n"); goto out; } err = handle_hca_cap_odp(dev); if (err) { mlx5_core_err(dev, "handle_hca_cap_odp failed\n"); goto out; } out: return err; } static int set_hca_ctrl(struct mlx5_core_dev *dev) { struct mlx5_reg_host_endianness he_in; struct mlx5_reg_host_endianness he_out; int err; if (!mlx5_core_is_pf(dev)) return 0; memset(&he_in, 0, sizeof(he_in)); he_in.he = MLX5_SET_HOST_ENDIANNESS; err = mlx5_core_access_reg(dev, &he_in, sizeof(he_in), &he_out, sizeof(he_out), MLX5_REG_HOST_ENDIANNESS, 0, 1); return err; } static int mlx5_core_set_hca_defaults(struct mlx5_core_dev *dev) { int ret = 0; /* Disable local_lb by default */ if (MLX5_CAP_GEN(dev, port_type) == MLX5_CAP_PORT_TYPE_ETH) ret = mlx5_nic_vport_update_local_lb(dev, false); return ret; } int mlx5_core_enable_hca(struct mlx5_core_dev *dev, u16 func_id) { u32 out[MLX5_ST_SZ_DW(enable_hca_out)] = {0}; u32 in[MLX5_ST_SZ_DW(enable_hca_in)] = {0}; MLX5_SET(enable_hca_in, in, opcode, MLX5_CMD_OP_ENABLE_HCA); MLX5_SET(enable_hca_in, in, function_id, func_id); MLX5_SET(enable_hca_in, in, embedded_cpu_function, dev->caps.embedded_cpu); return mlx5_cmd_exec(dev, &in, sizeof(in), &out, sizeof(out)); } int mlx5_core_disable_hca(struct mlx5_core_dev *dev, u16 func_id) { u32 out[MLX5_ST_SZ_DW(disable_hca_out)] = {0}; u32 in[MLX5_ST_SZ_DW(disable_hca_in)] = {0}; MLX5_SET(disable_hca_in, in, opcode, MLX5_CMD_OP_DISABLE_HCA); MLX5_SET(disable_hca_in, in, function_id, func_id); MLX5_SET(enable_hca_in, in, embedded_cpu_function, dev->caps.embedded_cpu); return mlx5_cmd_exec(dev, in, sizeof(in), out, sizeof(out)); } u64 mlx5_read_internal_timer(struct mlx5_core_dev *dev, struct ptp_system_timestamp *sts) { u32 timer_h, timer_h1, timer_l; timer_h = ioread32be(&dev->iseg->internal_timer_h); ptp_read_system_prets(sts); timer_l = ioread32be(&dev->iseg->internal_timer_l); ptp_read_system_postts(sts); timer_h1 = ioread32be(&dev->iseg->internal_timer_h); if (timer_h != timer_h1) { /* wrap around */ ptp_read_system_prets(sts); timer_l = ioread32be(&dev->iseg->internal_timer_l); ptp_read_system_postts(sts); } return (u64)timer_l | (u64)timer_h1 << 32; } static int mlx5_core_set_issi(struct mlx5_core_dev *dev) { u32 query_in[MLX5_ST_SZ_DW(query_issi_in)] = {0}; u32 query_out[MLX5_ST_SZ_DW(query_issi_out)] = {0}; u32 sup_issi; int err; MLX5_SET(query_issi_in, query_in, opcode, MLX5_CMD_OP_QUERY_ISSI); err = mlx5_cmd_exec(dev, query_in, sizeof(query_in), query_out, sizeof(query_out)); if (err) { u32 syndrome; u8 status; mlx5_cmd_mbox_status(query_out, &status, &syndrome); if (!status || syndrome == MLX5_DRIVER_SYND) { mlx5_core_err(dev, "Failed to query ISSI err(%d) status(%d) synd(%d)\n", err, status, syndrome); return err; } mlx5_core_warn(dev, "Query ISSI is not supported by FW, ISSI is 0\n"); dev->issi = 0; return 0; } sup_issi = MLX5_GET(query_issi_out, query_out, supported_issi_dw0); if (sup_issi & (1 << 1)) { u32 set_in[MLX5_ST_SZ_DW(set_issi_in)] = {0}; u32 set_out[MLX5_ST_SZ_DW(set_issi_out)] = {0}; MLX5_SET(set_issi_in, set_in, opcode, MLX5_CMD_OP_SET_ISSI); MLX5_SET(set_issi_in, set_in, current_issi, 1); err = mlx5_cmd_exec(dev, set_in, sizeof(set_in), set_out, sizeof(set_out)); if (err) { mlx5_core_err(dev, "Failed to set ISSI to 1 err(%d)\n", err); return err; } dev->issi = 1; return 0; } else if (sup_issi & (1 << 0) || !sup_issi) { return 0; } return -EOPNOTSUPP; } static int mlx5_pci_init(struct mlx5_core_dev *dev, struct pci_dev *pdev, const struct pci_device_id *id) { struct mlx5_priv *priv = &dev->priv; int err = 0; mutex_init(&dev->pci_status_mutex); pci_set_drvdata(dev->pdev, dev); dev->bar_addr = pci_resource_start(pdev, 0); priv->numa_node = dev_to_node(&dev->pdev->dev); err = mlx5_pci_enable_device(dev); if (err) { mlx5_core_err(dev, "Cannot enable PCI device, aborting\n"); return err; } err = request_bar(pdev); if (err) { mlx5_core_err(dev, "error requesting BARs, aborting\n"); goto err_disable; } pci_set_master(pdev); err = set_dma_caps(pdev); if (err) { mlx5_core_err(dev, "Failed setting DMA capabilities mask, aborting\n"); goto err_clr_master; } if (pci_enable_atomic_ops_to_root(pdev, PCI_EXP_DEVCAP2_ATOMIC_COMP32) && pci_enable_atomic_ops_to_root(pdev, PCI_EXP_DEVCAP2_ATOMIC_COMP64) && pci_enable_atomic_ops_to_root(pdev, PCI_EXP_DEVCAP2_ATOMIC_COMP128)) mlx5_core_dbg(dev, "Enabling pci atomics failed\n"); dev->iseg_base = dev->bar_addr; dev->iseg = ioremap(dev->iseg_base, sizeof(*dev->iseg)); if (!dev->iseg) { err = -ENOMEM; mlx5_core_err(dev, "Failed mapping initialization segment, aborting\n"); goto err_clr_master; } mlx5_pci_vsc_init(dev); return 0; err_clr_master: pci_clear_master(dev->pdev); release_bar(dev->pdev); err_disable: mlx5_pci_disable_device(dev); return err; } static void mlx5_pci_close(struct mlx5_core_dev *dev) { iounmap(dev->iseg); pci_clear_master(dev->pdev); release_bar(dev->pdev); mlx5_pci_disable_device(dev); } static int mlx5_init_once(struct mlx5_core_dev *dev) { int err; dev->priv.devcom = mlx5_devcom_register_device(dev); if (IS_ERR(dev->priv.devcom)) mlx5_core_err(dev, "failed to register with devcom (0x%p)\n", dev->priv.devcom); err = mlx5_query_board_id(dev); if (err) { mlx5_core_err(dev, "query board id failed\n"); goto err_devcom; } err = mlx5_irq_table_init(dev); if (err) { mlx5_core_err(dev, "failed to initialize irq table\n"); goto err_devcom; } err = mlx5_eq_table_init(dev); if (err) { mlx5_core_err(dev, "failed to initialize eq\n"); goto err_irq_cleanup; } err = mlx5_events_init(dev); if (err) { mlx5_core_err(dev, "failed to initialize events\n"); goto err_eq_cleanup; } mlx5_cq_debugfs_init(dev); mlx5_init_qp_table(dev); mlx5_init_reserved_gids(dev); mlx5_init_clock(dev); dev->vxlan = mlx5_vxlan_create(dev); dev->geneve = mlx5_geneve_create(dev); err = mlx5_init_rl_table(dev); if (err) { mlx5_core_err(dev, "Failed to init rate limiting\n"); goto err_tables_cleanup; } err = mlx5_mpfs_init(dev); if (err) { mlx5_core_err(dev, "Failed to init l2 table %d\n", err); goto err_rl_cleanup; } err = mlx5_sriov_init(dev); if (err) { mlx5_core_err(dev, "Failed to init sriov %d\n", err); goto err_mpfs_cleanup; } err = mlx5_eswitch_init(dev); if (err) { mlx5_core_err(dev, "Failed to init eswitch %d\n", err); goto err_sriov_cleanup; } err = mlx5_fpga_init(dev); if (err) { mlx5_core_err(dev, "Failed to init fpga device %d\n", err); goto err_eswitch_cleanup; } dev->dm = mlx5_dm_create(dev); if (IS_ERR(dev->dm)) mlx5_core_warn(dev, "Failed to init device memory%d\n", err); dev->tracer = mlx5_fw_tracer_create(dev); dev->hv_vhca = mlx5_hv_vhca_create(dev); return 0; err_eswitch_cleanup: mlx5_eswitch_cleanup(dev->priv.eswitch); err_sriov_cleanup: mlx5_sriov_cleanup(dev); err_mpfs_cleanup: mlx5_mpfs_cleanup(dev); err_rl_cleanup: mlx5_cleanup_rl_table(dev); err_tables_cleanup: mlx5_geneve_destroy(dev->geneve); mlx5_vxlan_destroy(dev->vxlan); mlx5_cleanup_qp_table(dev); mlx5_cq_debugfs_cleanup(dev); mlx5_events_cleanup(dev); err_eq_cleanup: mlx5_eq_table_cleanup(dev); err_irq_cleanup: mlx5_irq_table_cleanup(dev); err_devcom: mlx5_devcom_unregister_device(dev->priv.devcom); return err; } static void mlx5_cleanup_once(struct mlx5_core_dev *dev) { mlx5_hv_vhca_destroy(dev->hv_vhca); mlx5_fw_tracer_destroy(dev->tracer); mlx5_dm_cleanup(dev); mlx5_fpga_cleanup(dev); mlx5_eswitch_cleanup(dev->priv.eswitch); mlx5_sriov_cleanup(dev); mlx5_mpfs_cleanup(dev); mlx5_cleanup_rl_table(dev); mlx5_geneve_destroy(dev->geneve); mlx5_vxlan_destroy(dev->vxlan); mlx5_cleanup_clock(dev); mlx5_cleanup_reserved_gids(dev); mlx5_cleanup_qp_table(dev); mlx5_cq_debugfs_cleanup(dev); mlx5_events_cleanup(dev); mlx5_eq_table_cleanup(dev); mlx5_irq_table_cleanup(dev); mlx5_devcom_unregister_device(dev->priv.devcom); } static int mlx5_function_setup(struct mlx5_core_dev *dev, bool boot) { int err; mlx5_core_info(dev, "firmware version: %d.%d.%d\n", fw_rev_maj(dev), fw_rev_min(dev), fw_rev_sub(dev)); /* Only PFs hold the relevant PCIe information for this query */ if (mlx5_core_is_pf(dev)) pcie_print_link_status(dev->pdev); /* wait for firmware to accept initialization segments configurations */ err = wait_fw_init(dev, FW_PRE_INIT_TIMEOUT_MILI, FW_INIT_WARN_MESSAGE_INTERVAL); if (err) { mlx5_core_err(dev, "Firmware over %d MS in pre-initializing state, aborting\n", FW_PRE_INIT_TIMEOUT_MILI); return err; } err = mlx5_cmd_init(dev); if (err) { mlx5_core_err(dev, "Failed initializing command interface, aborting\n"); return err; } err = wait_fw_init(dev, FW_INIT_TIMEOUT_MILI, 0); if (err) { mlx5_core_err(dev, "Firmware over %d MS in initializing state, aborting\n", FW_INIT_TIMEOUT_MILI); goto err_cmd_cleanup; } err = mlx5_core_enable_hca(dev, 0); if (err) { mlx5_core_err(dev, "enable hca failed\n"); goto err_cmd_cleanup; } err = mlx5_core_set_issi(dev); if (err) { mlx5_core_err(dev, "failed to set issi\n"); goto err_disable_hca; } err = mlx5_satisfy_startup_pages(dev, 1); if (err) { mlx5_core_err(dev, "failed to allocate boot pages\n"); goto err_disable_hca; } err = set_hca_ctrl(dev); if (err) { mlx5_core_err(dev, "set_hca_ctrl failed\n"); goto reclaim_boot_pages; } err = set_hca_cap(dev); if (err) { mlx5_core_err(dev, "set_hca_cap failed\n"); goto reclaim_boot_pages; } err = mlx5_satisfy_startup_pages(dev, 0); if (err) { mlx5_core_err(dev, "failed to allocate init pages\n"); goto reclaim_boot_pages; } err = mlx5_cmd_init_hca(dev, sw_owner_id); if (err) { mlx5_core_err(dev, "init hca failed\n"); goto reclaim_boot_pages; } mlx5_set_driver_version(dev); mlx5_start_health_poll(dev); err = mlx5_query_hca_caps(dev); if (err) { mlx5_core_err(dev, "query hca failed\n"); goto stop_health; } return 0; stop_health: mlx5_stop_health_poll(dev, boot); reclaim_boot_pages: mlx5_reclaim_startup_pages(dev); err_disable_hca: mlx5_core_disable_hca(dev, 0); err_cmd_cleanup: mlx5_cmd_cleanup(dev); return err; } static int mlx5_function_teardown(struct mlx5_core_dev *dev, bool boot) { int err; mlx5_stop_health_poll(dev, boot); err = mlx5_cmd_teardown_hca(dev); if (err) { mlx5_core_err(dev, "tear_down_hca failed, skip cleanup\n"); return err; } mlx5_reclaim_startup_pages(dev); mlx5_core_disable_hca(dev, 0); mlx5_cmd_cleanup(dev); return 0; } static int mlx5_load(struct mlx5_core_dev *dev) { int err; dev->priv.uar = mlx5_get_uars_page(dev); if (IS_ERR(dev->priv.uar)) { mlx5_core_err(dev, "Failed allocating uar, aborting\n"); err = PTR_ERR(dev->priv.uar); return err; } mlx5_events_start(dev); mlx5_pagealloc_start(dev); err = mlx5_irq_table_create(dev); if (err) { mlx5_core_err(dev, "Failed to alloc IRQs\n"); goto err_irq_table; } err = mlx5_eq_table_create(dev); if (err) { mlx5_core_err(dev, "Failed to create EQs\n"); goto err_eq_table; } err = mlx5_fw_tracer_init(dev->tracer); if (err) { mlx5_core_err(dev, "Failed to init FW tracer\n"); goto err_fw_tracer; } mlx5_hv_vhca_init(dev->hv_vhca); err = mlx5_fpga_device_start(dev); if (err) { mlx5_core_err(dev, "fpga device start failed %d\n", err); goto err_fpga_start; } err = mlx5_accel_ipsec_init(dev); if (err) { mlx5_core_err(dev, "IPSec device start failed %d\n", err); goto err_ipsec_start; } err = mlx5_accel_tls_init(dev); if (err) { mlx5_core_err(dev, "TLS device start failed %d\n", err); goto err_tls_start; } err = mlx5_init_fs(dev); if (err) { mlx5_core_err(dev, "Failed to init flow steering\n"); goto err_fs; } err = mlx5_core_set_hca_defaults(dev); if (err) { mlx5_core_err(dev, "Failed to set hca defaults\n"); goto err_sriov; } err = mlx5_sriov_attach(dev); if (err) { mlx5_core_err(dev, "sriov init failed %d\n", err); goto err_sriov; } err = mlx5_ec_init(dev); if (err) { mlx5_core_err(dev, "Failed to init embedded CPU\n"); goto err_ec; } return 0; err_ec: mlx5_sriov_detach(dev); err_sriov: mlx5_cleanup_fs(dev); err_fs: mlx5_accel_tls_cleanup(dev); err_tls_start: mlx5_accel_ipsec_cleanup(dev); err_ipsec_start: mlx5_fpga_device_stop(dev); err_fpga_start: mlx5_hv_vhca_cleanup(dev->hv_vhca); mlx5_fw_tracer_cleanup(dev->tracer); err_fw_tracer: mlx5_eq_table_destroy(dev); err_eq_table: mlx5_irq_table_destroy(dev); err_irq_table: mlx5_pagealloc_stop(dev); mlx5_events_stop(dev); mlx5_put_uars_page(dev, dev->priv.uar); return err; } static void mlx5_unload(struct mlx5_core_dev *dev) { mlx5_ec_cleanup(dev); mlx5_sriov_detach(dev); mlx5_cleanup_fs(dev); mlx5_accel_ipsec_cleanup(dev); mlx5_accel_tls_cleanup(dev); mlx5_fpga_device_stop(dev); mlx5_hv_vhca_cleanup(dev->hv_vhca); mlx5_fw_tracer_cleanup(dev->tracer); mlx5_eq_table_destroy(dev); mlx5_irq_table_destroy(dev); mlx5_pagealloc_stop(dev); mlx5_events_stop(dev); mlx5_put_uars_page(dev, dev->priv.uar); } int mlx5_load_one(struct mlx5_core_dev *dev, bool boot) { int err = 0; dev->caps.embedded_cpu = mlx5_read_embedded_cpu(dev); mutex_lock(&dev->intf_state_mutex); if (test_bit(MLX5_INTERFACE_STATE_UP, &dev->intf_state)) { mlx5_core_warn(dev, "interface is up, NOP\n"); goto out; } /* remove any previous indication of internal error */ dev->state = MLX5_DEVICE_STATE_UP; err = mlx5_function_setup(dev, boot); if (err) goto out; if (boot) { err = mlx5_init_once(dev); if (err) { mlx5_core_err(dev, "sw objs init failed\n"); goto function_teardown; } } err = mlx5_load(dev); if (err) goto err_load; if (boot) { err = mlx5_devlink_register(priv_to_devlink(dev), dev->device); if (err) goto err_devlink_reg; } if (mlx5_device_registered(dev)) { mlx5_attach_device(dev); } else { err = mlx5_register_device(dev); if (err) { mlx5_core_err(dev, "register device failed %d\n", err); goto err_reg_dev; } } set_bit(MLX5_INTERFACE_STATE_UP, &dev->intf_state); out: mutex_unlock(&dev->intf_state_mutex); return err; err_reg_dev: if (boot) mlx5_devlink_unregister(priv_to_devlink(dev)); err_devlink_reg: mlx5_unload(dev); err_load: if (boot) mlx5_cleanup_once(dev); function_teardown: mlx5_function_teardown(dev, boot); dev->state = MLX5_DEVICE_STATE_INTERNAL_ERROR; mutex_unlock(&dev->intf_state_mutex); return err; } int mlx5_unload_one(struct mlx5_core_dev *dev, bool cleanup) { if (cleanup) { mlx5_unregister_device(dev); mlx5_drain_health_wq(dev); } mutex_lock(&dev->intf_state_mutex); if (!test_bit(MLX5_INTERFACE_STATE_UP, &dev->intf_state)) { mlx5_core_warn(dev, "%s: interface is down, NOP\n", __func__); if (cleanup) mlx5_cleanup_once(dev); goto out; } clear_bit(MLX5_INTERFACE_STATE_UP, &dev->intf_state); if (mlx5_device_registered(dev)) mlx5_detach_device(dev); mlx5_unload(dev); if (cleanup) mlx5_cleanup_once(dev); mlx5_function_teardown(dev, cleanup); out: mutex_unlock(&dev->intf_state_mutex); return 0; } static int mlx5_mdev_init(struct mlx5_core_dev *dev, int profile_idx) { struct mlx5_priv *priv = &dev->priv; int err; dev->profile = &profile[profile_idx]; INIT_LIST_HEAD(&priv->ctx_list); spin_lock_init(&priv->ctx_lock); mutex_init(&dev->intf_state_mutex); mutex_init(&priv->bfregs.reg_head.lock); mutex_init(&priv->bfregs.wc_head.lock); INIT_LIST_HEAD(&priv->bfregs.reg_head.list); INIT_LIST_HEAD(&priv->bfregs.wc_head.list); mutex_init(&priv->alloc_mutex); mutex_init(&priv->pgdir_mutex); INIT_LIST_HEAD(&priv->pgdir_list); spin_lock_init(&priv->mkey_lock); priv->dbg_root = debugfs_create_dir(dev_name(dev->device), mlx5_debugfs_root); if (!priv->dbg_root) { dev_err(dev->device, "mlx5_core: error, Cannot create debugfs dir, aborting\n"); return -ENOMEM; } err = mlx5_health_init(dev); if (err) goto err_health_init; err = mlx5_pagealloc_init(dev); if (err) goto err_pagealloc_init; return 0; err_pagealloc_init: mlx5_health_cleanup(dev); err_health_init: debugfs_remove(dev->priv.dbg_root); return err; } static void mlx5_mdev_uninit(struct mlx5_core_dev *dev) { mlx5_pagealloc_cleanup(dev); mlx5_health_cleanup(dev); debugfs_remove_recursive(dev->priv.dbg_root); } #define MLX5_IB_MOD "mlx5_ib" static int init_one(struct pci_dev *pdev, const struct pci_device_id *id) { struct mlx5_core_dev *dev; struct devlink *devlink; int err; devlink = mlx5_devlink_alloc(); if (!devlink) { dev_err(&pdev->dev, "devlink alloc failed\n"); return -ENOMEM; } dev = devlink_priv(devlink); dev->device = &pdev->dev; dev->pdev = pdev; dev->coredev_type = id->driver_data & MLX5_PCI_DEV_IS_VF ? MLX5_COREDEV_VF : MLX5_COREDEV_PF; err = mlx5_mdev_init(dev, prof_sel); if (err) goto mdev_init_err; err = mlx5_pci_init(dev, pdev, id); if (err) { mlx5_core_err(dev, "mlx5_pci_init failed with error code %d\n", err); goto pci_init_err; } err = mlx5_load_one(dev, true); if (err) { mlx5_core_err(dev, "mlx5_load_one failed with error code %d\n", err); goto err_load_one; } request_module_nowait(MLX5_IB_MOD); err = mlx5_crdump_enable(dev); if (err) dev_err(&pdev->dev, "mlx5_crdump_enable failed with error code %d\n", err); pci_save_state(pdev); return 0; err_load_one: mlx5_pci_close(dev); pci_init_err: mlx5_mdev_uninit(dev); mdev_init_err: mlx5_devlink_free(devlink); return err; } static void remove_one(struct pci_dev *pdev) { struct mlx5_core_dev *dev = pci_get_drvdata(pdev); struct devlink *devlink = priv_to_devlink(dev); mlx5_crdump_disable(dev); mlx5_devlink_unregister(devlink); if (mlx5_unload_one(dev, true)) { mlx5_core_err(dev, "mlx5_unload_one failed\n"); mlx5_health_flush(dev); return; } mlx5_pci_close(dev); mlx5_mdev_uninit(dev); mlx5_devlink_free(devlink); } static pci_ers_result_t mlx5_pci_err_detected(struct pci_dev *pdev, pci_channel_state_t state) { struct mlx5_core_dev *dev = pci_get_drvdata(pdev); mlx5_core_info(dev, "%s was called\n", __func__); mlx5_enter_error_state(dev, false); mlx5_error_sw_reset(dev); mlx5_unload_one(dev, false); mlx5_drain_health_wq(dev); mlx5_pci_disable_device(dev); return state == pci_channel_io_perm_failure ? PCI_ERS_RESULT_DISCONNECT : PCI_ERS_RESULT_NEED_RESET; } /* wait for the device to show vital signs by waiting * for the health counter to start counting. */ static int wait_vital(struct pci_dev *pdev) { struct mlx5_core_dev *dev = pci_get_drvdata(pdev); struct mlx5_core_health *health = &dev->priv.health; const int niter = 100; u32 last_count = 0; u32 count; int i; for (i = 0; i < niter; i++) { count = ioread32be(health->health_counter); if (count && count != 0xffffffff) { if (last_count && last_count != count) { mlx5_core_info(dev, "wait vital counter value 0x%x after %d iterations\n", count, i); return 0; } last_count = count; } msleep(50); } return -ETIMEDOUT; } static pci_ers_result_t mlx5_pci_slot_reset(struct pci_dev *pdev) { struct mlx5_core_dev *dev = pci_get_drvdata(pdev); int err; mlx5_core_info(dev, "%s was called\n", __func__); err = mlx5_pci_enable_device(dev); if (err) { mlx5_core_err(dev, "%s: mlx5_pci_enable_device failed with error code: %d\n", __func__, err); return PCI_ERS_RESULT_DISCONNECT; } pci_set_master(pdev); pci_restore_state(pdev); pci_save_state(pdev); if (wait_vital(pdev)) { mlx5_core_err(dev, "%s: wait_vital timed out\n", __func__); return PCI_ERS_RESULT_DISCONNECT; } return PCI_ERS_RESULT_RECOVERED; } static void mlx5_pci_resume(struct pci_dev *pdev) { struct mlx5_core_dev *dev = pci_get_drvdata(pdev); int err; mlx5_core_info(dev, "%s was called\n", __func__); err = mlx5_load_one(dev, false); if (err) mlx5_core_err(dev, "%s: mlx5_load_one failed with error code: %d\n", __func__, err); else mlx5_core_info(dev, "%s: device recovered\n", __func__); } static const struct pci_error_handlers mlx5_err_handler = { .error_detected = mlx5_pci_err_detected, .slot_reset = mlx5_pci_slot_reset, .resume = mlx5_pci_resume }; static int mlx5_try_fast_unload(struct mlx5_core_dev *dev) { bool fast_teardown = false, force_teardown = false; int ret = 1; fast_teardown = MLX5_CAP_GEN(dev, fast_teardown); force_teardown = MLX5_CAP_GEN(dev, force_teardown); mlx5_core_dbg(dev, "force teardown firmware support=%d\n", force_teardown); mlx5_core_dbg(dev, "fast teardown firmware support=%d\n", fast_teardown); if (!fast_teardown && !force_teardown) return -EOPNOTSUPP; if (dev->state == MLX5_DEVICE_STATE_INTERNAL_ERROR) { mlx5_core_dbg(dev, "Device in internal error state, giving up\n"); return -EAGAIN; } /* Panic tear down fw command will stop the PCI bus communication * with the HCA, so the health polll is no longer needed. */ mlx5_drain_health_wq(dev); mlx5_stop_health_poll(dev, false); ret = mlx5_cmd_fast_teardown_hca(dev); if (!ret) goto succeed; ret = mlx5_cmd_force_teardown_hca(dev); if (!ret) goto succeed; mlx5_core_dbg(dev, "Firmware couldn't do fast unload error: %d\n", ret); mlx5_start_health_poll(dev); return ret; succeed: mlx5_enter_error_state(dev, true); /* Some platforms requiring freeing the IRQ's in the shutdown * flow. If they aren't freed they can't be allocated after * kexec. There is no need to cleanup the mlx5_core software * contexts. */ mlx5_core_eq_free_irqs(dev); return 0; } static void shutdown(struct pci_dev *pdev) { struct mlx5_core_dev *dev = pci_get_drvdata(pdev); int err; mlx5_core_info(dev, "Shutdown was called\n"); err = mlx5_try_fast_unload(dev); if (err) mlx5_unload_one(dev, false); mlx5_pci_disable_device(dev); } static const struct pci_device_id mlx5_core_pci_table[] = { { PCI_VDEVICE(MELLANOX, PCI_DEVICE_ID_MELLANOX_CONNECTIB) }, { PCI_VDEVICE(MELLANOX, 0x1012), MLX5_PCI_DEV_IS_VF}, /* Connect-IB VF */ { PCI_VDEVICE(MELLANOX, PCI_DEVICE_ID_MELLANOX_CONNECTX4) }, { PCI_VDEVICE(MELLANOX, 0x1014), MLX5_PCI_DEV_IS_VF}, /* ConnectX-4 VF */ { PCI_VDEVICE(MELLANOX, PCI_DEVICE_ID_MELLANOX_CONNECTX4_LX) }, { PCI_VDEVICE(MELLANOX, 0x1016), MLX5_PCI_DEV_IS_VF}, /* ConnectX-4LX VF */ { PCI_VDEVICE(MELLANOX, 0x1017) }, /* ConnectX-5, PCIe 3.0 */ { PCI_VDEVICE(MELLANOX, 0x1018), MLX5_PCI_DEV_IS_VF}, /* ConnectX-5 VF */ { PCI_VDEVICE(MELLANOX, 0x1019) }, /* ConnectX-5 Ex */ { PCI_VDEVICE(MELLANOX, 0x101a), MLX5_PCI_DEV_IS_VF}, /* ConnectX-5 Ex VF */ { PCI_VDEVICE(MELLANOX, 0x101b) }, /* ConnectX-6 */ { PCI_VDEVICE(MELLANOX, 0x101c), MLX5_PCI_DEV_IS_VF}, /* ConnectX-6 VF */ { PCI_VDEVICE(MELLANOX, 0x101d) }, /* ConnectX-6 Dx */ { PCI_VDEVICE(MELLANOX, 0x101e), MLX5_PCI_DEV_IS_VF}, /* ConnectX Family mlx5Gen Virtual Function */ { PCI_VDEVICE(MELLANOX, 0x101f) }, /* ConnectX-6 LX */ { PCI_VDEVICE(MELLANOX, 0x1021) }, /* ConnectX-7 */ { PCI_VDEVICE(MELLANOX, 0xa2d2) }, /* BlueField integrated ConnectX-5 network controller */ { PCI_VDEVICE(MELLANOX, 0xa2d3), MLX5_PCI_DEV_IS_VF}, /* BlueField integrated ConnectX-5 network controller VF */ { PCI_VDEVICE(MELLANOX, 0xa2d6) }, /* BlueField-2 integrated ConnectX-6 Dx network controller */ { 0, } }; MODULE_DEVICE_TABLE(pci, mlx5_core_pci_table); void mlx5_disable_device(struct mlx5_core_dev *dev) { mlx5_error_sw_reset(dev); mlx5_unload_one(dev, false); } void mlx5_recover_device(struct mlx5_core_dev *dev) { mlx5_pci_disable_device(dev); if (mlx5_pci_slot_reset(dev->pdev) == PCI_ERS_RESULT_RECOVERED) mlx5_pci_resume(dev->pdev); } static struct pci_driver mlx5_core_driver = { .name = DRIVER_NAME, .id_table = mlx5_core_pci_table, .probe = init_one, .remove = remove_one, .shutdown = shutdown, .err_handler = &mlx5_err_handler, .sriov_configure = mlx5_core_sriov_configure, }; static void mlx5_core_verify_params(void) { if (prof_sel >= ARRAY_SIZE(profile)) { pr_warn("mlx5_core: WARNING: Invalid module parameter prof_sel %d, valid range 0-%zu, changing back to default(%d)\n", prof_sel, ARRAY_SIZE(profile) - 1, MLX5_DEFAULT_PROF); prof_sel = MLX5_DEFAULT_PROF; } } static int __init init(void) { int err; get_random_bytes(&sw_owner_id, sizeof(sw_owner_id)); mlx5_core_verify_params(); mlx5_accel_ipsec_build_fs_cmds(); mlx5_register_debugfs(); err = pci_register_driver(&mlx5_core_driver); if (err) goto err_debug; #ifdef CONFIG_MLX5_CORE_EN mlx5e_init(); #endif return 0; err_debug: mlx5_unregister_debugfs(); return err; } static void __exit cleanup(void) { #ifdef CONFIG_MLX5_CORE_EN mlx5e_cleanup(); #endif pci_unregister_driver(&mlx5_core_driver); mlx5_unregister_debugfs(); } module_init(init); module_exit(cleanup);
gpl-2.0
wjrsonic/openwrt
qca/feeds/packages/net/shorewall-lite/Makefile
2256
# # Copyright (C) 2008-2011 OpenWrt.org # # This is free software, licensed under the GNU General Public License v2. # See /LICENSE for more information. # include $(TOPDIR)/rules.mk PKG_NAME:=shorewall-lite PKG_VERSION:=4.4.27.3 PKG_DIRECTORY:=4.4.27 PKG_RELEASE:=4 PKG_SOURCE_URL:=http://www.shorewall.net/pub/shorewall/4.4/shorewall-$(PKG_DIRECTORY)/ \ http://www1.shorewall.net/pub/shorewall/4.4/shorewall-$(PKG_DIRECTORY)/ \ http://slovakia.shorewall.net/pub/shorewall/4.4/shorewall-$(PKG_DIRECTORY)/ \ http://shorewall.de/pub/shorewall/4.4/shorewall-$(PKG_DIRECTORY)/ \ http://www.shorewall.com.au/4.4/shorewall-$(PKG_DIRECTORY)/ \ http://shorewall.infohiiway.com/pub/shorewall/4.4/shorewall-$(PKG_DIRECTORY)/ \ http://www.shorewall.com.ar/pub/shorewall/shorewall/4.4/shorewall-$(PKG_DIRECTORY)/ PKG_SOURCE:=$(PKG_NAME)-$(PKG_VERSION).tar.bz2 PKG_MD5SUM:=40be496c0d512d885b7b0f64204bc235 include $(INCLUDE_DIR)/package.mk define Package/shorewall-lite SECTION:=net CATEGORY:=Network DEPENDS:=+ip +iptables TITLE:=Shorewall Lite URL:=http://www.shorewall.net/ SUBMENU:=Firewall endef define Package/shorewall-lite/description Shoreline Firewall Lite is an iptables-based firewall for Linux systems. endef define Package/shorewall-lite/conffiles /etc/shorewall-lite/shorewall-lite.conf /etc/shorewall-lite/vardir endef define Build/Compile PREFIX=$(PKG_INSTALL_DIR) $(PKG_BUILD_DIR)/install.sh endef define Package/shorewall-lite/install $(INSTALL_DIR) $(1)/sbin $(INSTALL_DIR) $(1)/etc/init.d $(INSTALL_DIR) $(1)/etc/lsm/script.d $(INSTALL_DIR) $(1)/etc/hotplug.d/iface $(INSTALL_DIR) $(1)/etc/shorewall-lite $(INSTALL_DIR) $(1)/usr/share $(INSTALL_BIN) ./files/shorewall-lite.init $(1)/etc/init.d/shorewall-lite $(INSTALL_BIN) ./files/hotplug_iface $(1)/etc/hotplug.d/iface/05-shorewall-lite $(INSTALL_BIN) $(PKG_INSTALL_DIR)/sbin/shorewall-lite $(1)/sbin $(CP) $(PKG_INSTALL_DIR)/usr/share/shorewall-lite $(1)/usr/share $(INSTALL_BIN) ./files/hostname $(1)/usr/share/shorewall-lite $(INSTALL_BIN) ./files/lsm_script $(1)/etc/lsm/script.d/45_shorewall-lite $(CP) $(PKG_INSTALL_DIR)/etc/shorewall-lite $(1)/etc $(CP) ./files/vardir $(1)/etc/shorewall-lite endef $(eval $(call BuildPackage,shorewall-lite))
gpl-2.0
evancich/apm_motor
modules/PX4NuttX/nuttx/include/nuttx/mmcsd.h
4368
/**************************************************************************** * include/nuttx/mmcsd.h * * Copyright (C) 2008-2009 Gregory Nutt. All rights reserved. * Author: Gregory Nutt <[email protected]> * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in * the documentation and/or other materials provided with the * distribution. * 3. Neither the name NuttX nor the names of its contributors may be * used to endorse or promote products derived from this software * without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS * FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE * COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, * INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, * BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS * OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED * AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT * LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN * ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE * POSSIBILITY OF SUCH DAMAGE. * ****************************************************************************/ #ifndef __INCLUDE_NUTTX_MMCSD_H #define __INCLUDE_NUTTX_MMCSD_H /**************************************************************************** * Included Files ****************************************************************************/ #include <nuttx/config.h> /**************************************************************************** * Pre-Processor Definitions ****************************************************************************/ /**************************************************************************** * Public Types ****************************************************************************/ /**************************************************************************** * Public Functions ****************************************************************************/ #undef EXTERN #if defined(__cplusplus) #define EXTERN extern "C" extern "C" { #else #define EXTERN extern #endif /**************************************************************************** * Name: mmcsd_slotinitialize * * Description: * Initialize one slot for operation using the MMC/SD interface * * Input Parameters: * minor - The MMC/SD minor device number. The MMC/SD device will be * registered as /dev/mmcsdN where N is the minor number * dev - And instance of an MMC/SD interface. The MMC/SD hardware should * be initialized and ready to use. * ****************************************************************************/ struct sdio_dev_s; /* See nuttx/sdio.h */ EXTERN int mmcsd_slotinitialize(int minor, FAR struct sdio_dev_s *dev); /**************************************************************************** * Name: mmcsd_spislotinitialize * * Description: * Initialize one slot for operation using the SPI MMC/SD interface * * Input Parameters: * minor - The MMC/SD minor device number. The MMC/SD device will be * registered as /dev/mmcsdN where N is the minor number * slotno - The slot number to use. This is only meaningful for architectures * that support multiple MMC/SD slots. This value must be in the range * {0, ..., CONFIG_MMCSD_NSLOTS}. * spi - And instance of an SPI interface obtained by called * up_spiinitialize() with the appropriate port number (see spi.h) * ****************************************************************************/ struct spi_dev_s; /* See nuttx/spi.h */ EXTERN int mmcsd_spislotinitialize(int minor, int slotno, FAR struct spi_dev_s *spi); #undef EXTERN #if defined(__cplusplus) } #endif #endif /* __INCLUDE_NUTTX_MMCSD_H */
gpl-3.0
Li-Yanzhi/SmartStoreNET
src/Plugins/SmartStore.Clickatell/RouteProvider.cs
700
using System.Web.Mvc; using System.Web.Routing; using SmartStore.Web.Framework.Mvc.Routes; namespace SmartStore.Clickatell { public partial class RouteProvider : IRouteProvider { public void RegisterRoutes(RouteCollection routes) { routes.MapRoute("SmartStore.Clickatell", "Plugins/SmartStore.Clickatell/{action}", new { controller = "SmsClickatell", action = "Configure" }, new[] { "SmartStore.Clickatell.Controllers" } ) .DataTokens["area"] = "SmartStore.Clickatell"; } public int Priority { get { return 0; } } } }
gpl-3.0
glennw/servo
tests/wpt/mozilla/tests/mozilla/bluetooth/connect/device-goes-out-of-range.html
664
<!doctype html> <script src="/resources/testharness.js"></script> <script src="/resources/testharnessreport.js"></script> <script src="/_mozilla/mozilla/bluetooth/bluetooth-helpers.js"></script> <script> 'use strict'; promise_test(t => { window.testRunner.setBluetoothMockDataSet(adapter_type.heart_rate); return window.navigator.bluetooth.requestDevice({ filters: [{services: [heart_rate.name]}] }) .then(device => { window.testRunner.setBluetoothMockDataSet(adapter_type.empty); return promise_rejects(t, 'NetworkError', device.gatt.connect()); }); }, 'Device goes out of range. Reject with NetworkError.'); </script>
mpl-2.0
UK992/servo
tests/wpt/update/update.py
1349
# This Source Code Form is subject to the terms of the Mozilla Public # License, v. 2.0. If a copy of the MPL was not distributed with this # file, You can obtain one at https://mozilla.org/MPL/2.0/. import os from wptrunner.update.base import Step, StepRunner from wptrunner.update.update import LoadConfig, SyncFromUpstream, UpdateMetadata from wptrunner.update.tree import NoVCSTree from .tree import GitTree, HgTree, GeckoCommit from .upstream import SyncToUpstream class LoadTrees(Step): """Load gecko tree and sync tree containing web-platform-tests""" provides = ["local_tree", "sync_tree"] def create(self, state): if os.path.exists(state.sync["path"]): sync_tree = GitTree(root=state.sync["path"]) else: sync_tree = None if GitTree.is_type(): local_tree = GitTree(commit_cls=GeckoCommit) elif HgTree.is_type(): local_tree = HgTree(commit_cls=GeckoCommit) else: local_tree = NoVCSTree() state.update({"local_tree": local_tree, "sync_tree": sync_tree}) class UpdateRunner(StepRunner): """Overall runner for updating web-platform-tests in Gecko.""" steps = [LoadConfig, LoadTrees, SyncToUpstream, SyncFromUpstream, UpdateMetadata]
mpl-2.0
vladnicoara/SDLive-Blog
plugins/livedesk-embed/gui-themes/themes/tageswoche.min.js
209
define([ 'css!theme/liveblog', 'tmpl!theme/container', 'tmpl!theme/item/base', 'plugins/wrappup-toggle', 'plugins/scroll-pagination', 'plugins/permanent-link', 'plugins/user-comments' ], function(){ });
agpl-3.0
ericsnowcurrently/juju
logfwd/origin.go
6547
// Copyright 2016 Canonical Ltd. // Licensed under the AGPLv3, see LICENCE file for details. package logfwd import ( "fmt" "github.com/juju/errors" "github.com/juju/version" "gopkg.in/juju/names.v2" ) // canonicalPEN is the IANA-registered Private Enterprise Number // assigned to Canonical. Among other things, this is used in RFC 5424 // structured data. // // See https://www.iana.org/assignments/enterprise-numbers/enterprise-numbers. const canonicalPEN = 28978 // These are the recognized origin types. const ( OriginTypeUnknown OriginType = 0 OriginTypeUser = iota OriginTypeMachine OriginTypeUnit ) var originTypes = map[OriginType]string{ OriginTypeUnknown: "unknown", OriginTypeUser: names.UserTagKind, OriginTypeMachine: names.MachineTagKind, OriginTypeUnit: names.UnitTagKind, } // OriginType is the "enum" type for the different kinds of log record // origin. type OriginType int // ParseOriginType converts a string to an OriginType or fails if // not able. It round-trips with String(). func ParseOriginType(value string) (OriginType, error) { for ot, str := range originTypes { if value == str { return ot, nil } } const originTypeInvalid OriginType = -1 return originTypeInvalid, errors.Errorf("unrecognized origin type %q", value) } // String returns a string representation of the origin type. func (ot OriginType) String() string { return originTypes[ot] } // Validate ensures that the origin type is correct. func (ot OriginType) Validate() error { // As noted above, typedef'ing int means that the use of int // literals or explicit type conversion could result in unsupported // "enum" values. Otherwise OriginType would not need this method. if _, ok := originTypes[ot]; !ok { return errors.NewNotValid(nil, "unsupported origin type") } return nil } // ValidateName ensures that the given origin name is valid within the // context of the origin type. func (ot OriginType) ValidateName(name string) error { switch ot { case OriginTypeUnknown: if name != "" { return errors.NewNotValid(nil, "origin name must not be set if type is unknown") } case OriginTypeUser: if !names.IsValidUser(name) { return errors.NewNotValid(nil, "bad user name") } case OriginTypeMachine: if !names.IsValidMachine(name) { return errors.NewNotValid(nil, "bad machine name") } case OriginTypeUnit: if !names.IsValidUnit(name) { return errors.NewNotValid(nil, "bad unit name") } } return nil } // Origin describes what created the record. type Origin struct { // ControllerUUID is the ID of the Juju controller under which the // record originated. ControllerUUID string // ModelUUID is the ID of the Juju model under which the record // originated. ModelUUID string // Hostname identifies the host where the record originated. Hostname string // Type identifies the kind of thing that generated the record. Type OriginType // Name identifies the thing that generated the record. Name string // Software identifies the running software that created the record. Software Software } // OriginForMachineAgent populates a new origin for the agent. func OriginForMachineAgent(tag names.MachineTag, controller, model string, ver version.Number) Origin { return originForAgent(OriginTypeMachine, tag, controller, model, ver) } // OriginForUnitAgent populates a new origin for the agent. func OriginForUnitAgent(tag names.UnitTag, controller, model string, ver version.Number) Origin { return originForAgent(OriginTypeUnit, tag, controller, model, ver) } func originForAgent(oType OriginType, tag names.Tag, controller, model string, ver version.Number) Origin { origin := originForJuju(oType, tag.Id(), controller, model, ver) origin.Hostname = fmt.Sprintf("%s.%s", tag, model) origin.Software.Name = fmt.Sprintf("jujud-%s-agent", tag.Kind()) return origin } // OriginForJuju populates a new origin for the juju client. func OriginForJuju(tag names.Tag, controller, model string, ver version.Number) (Origin, error) { oType, err := ParseOriginType(tag.Kind()) if err != nil { return Origin{}, errors.Annotate(err, "invalid tag") } return originForJuju(oType, tag.Id(), controller, model, ver), nil } func originForJuju(oType OriginType, name, controller, model string, ver version.Number) Origin { return Origin{ ControllerUUID: controller, ModelUUID: model, Type: oType, Name: name, Software: Software{ PrivateEnterpriseNumber: canonicalPEN, Name: "juju", Version: ver, }, } } // Validate ensures that the origin is correct. func (o Origin) Validate() error { if o.ControllerUUID == "" { return errors.NewNotValid(nil, "empty ControllerUUID") } if !names.IsValidModel(o.ControllerUUID) { return errors.NewNotValid(nil, fmt.Sprintf("ControllerUUID %q not a valid UUID", o.ControllerUUID)) } if o.ModelUUID == "" { return errors.NewNotValid(nil, "empty ModelUUID") } if !names.IsValidModel(o.ModelUUID) { return errors.NewNotValid(nil, fmt.Sprintf("ModelUUID %q not a valid UUID", o.ModelUUID)) } if err := o.Type.Validate(); err != nil { return errors.Annotate(err, "invalid Type") } if o.Name == "" && o.Type != OriginTypeUnknown { return errors.NewNotValid(nil, "empty Name") } if err := o.Type.ValidateName(o.Name); err != nil { return errors.Annotatef(err, "invalid Name %q", o.Name) } if !o.Software.isZero() { if err := o.Software.Validate(); err != nil { return errors.Annotate(err, "invalid Software") } } return nil } // Software describes a running application. type Software struct { // PrivateEnterpriseNumber is the IANA-registered "SMI Network // Management Private Enterprise Code" for the software's vendor. // // See https://tools.ietf.org/html/rfc5424#section-7.2.2. PrivateEnterpriseNumber int // Name identifies the software (relative to the vendor). Name string // Version is the software's version. Version version.Number } func (sw Software) isZero() bool { if sw.PrivateEnterpriseNumber > 0 { return false } if sw.Name != "" { return false } if sw.Version != version.Zero { return false } return true } // Validate ensures that the software info is correct. func (sw Software) Validate() error { if sw.PrivateEnterpriseNumber <= 0 { return errors.NewNotValid(nil, "missing PrivateEnterpriseNumber") } if sw.Name == "" { return errors.NewNotValid(nil, "empty Name") } if sw.Version == version.Zero { return errors.NewNotValid(nil, "empty Version") } return nil }
agpl-3.0
ist-dresden/sling
testing/org.apache.sling.testing.paxexam/src/test/java/org/apache/sling/testing/paxexam/SlingOptionsEventadminIT.java
1546
/* * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. */ package org.apache.sling.testing.paxexam; import org.junit.Test; import org.junit.runner.RunWith; import org.ops4j.pax.exam.Configuration; import org.ops4j.pax.exam.Option; import org.ops4j.pax.exam.junit.PaxExam; import org.ops4j.pax.exam.spi.reactors.ExamReactorStrategy; import org.ops4j.pax.exam.spi.reactors.PerClass; import static org.apache.sling.testing.paxexam.SlingOptions.eventadmin; @RunWith(PaxExam.class) @ExamReactorStrategy(PerClass.class) public class SlingOptionsEventadminIT extends SlingOptionsTestSupport { @Configuration public Option[] configuration() { return new Option[]{ baseConfiguration(), eventadmin() }; } @Test public void test() { } }
apache-2.0
oleksandr-minakov/northshore
ui/node_modules/@angular/platform-browser-dynamic/testing.d.ts
689
import { PlatformRef } from '@angular/core'; export * from './private_export_testing'; /** * @experimental API related to bootstrapping are still under review. */ export declare const platformBrowserDynamicTesting: (extraProviders?: any[]) => PlatformRef; /** * NgModule for testing. * * @stable */ export declare class BrowserDynamicTestingModule { } /** * @deprecated Use initTestEnvironment with platformBrowserDynamicTesting instead. */ export declare const TEST_BROWSER_DYNAMIC_PLATFORM_PROVIDERS: Array<any>; /** * @deprecated Use initTestEnvironment with BrowserDynamicTestingModule instead. */ export declare const TEST_BROWSER_DYNAMIC_APPLICATION_PROVIDERS: Array<any>;
apache-2.0
dennishuo/hadoop
hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-nodemanager/src/main/java/org/apache/hadoop/yarn/server/nodemanager/amrmproxy/AbstractRequestInterceptor.java
5223
/** * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.hadoop.yarn.server.nodemanager.amrmproxy; import java.io.IOException; import java.util.Map; import com.google.common.base.Preconditions; import org.apache.hadoop.conf.Configuration; import org.apache.hadoop.yarn.api.protocolrecords.RegisterApplicationMasterRequest; import org.apache.hadoop.yarn.exceptions.YarnException; import org.apache.hadoop.yarn.server.api.protocolrecords.DistributedSchedulingAllocateRequest; import org.apache.hadoop.yarn.server.api.protocolrecords.DistributedSchedulingAllocateResponse; import org.apache.hadoop.yarn.server.api.protocolrecords.RegisterDistributedSchedulingAMResponse; import org.apache.hadoop.yarn.server.nodemanager.recovery.NMStateStoreService; /** * Implements the RequestInterceptor interface and provides common functionality * which can can be used and/or extended by other concrete intercepter classes. * */ public abstract class AbstractRequestInterceptor implements RequestInterceptor { private Configuration conf; private AMRMProxyApplicationContext appContext; private RequestInterceptor nextInterceptor; /** * Sets the {@link RequestInterceptor} in the chain. */ @Override public void setNextInterceptor(RequestInterceptor nextInterceptor) { this.nextInterceptor = nextInterceptor; } /** * Sets the {@link Configuration}. */ @Override public void setConf(Configuration conf) { this.conf = conf; if (this.nextInterceptor != null) { this.nextInterceptor.setConf(conf); } } /** * Gets the {@link Configuration}. */ @Override public Configuration getConf() { return this.conf; } /** * Initializes the {@link RequestInterceptor}. */ @Override public void init(AMRMProxyApplicationContext appContext) { Preconditions.checkState(this.appContext == null, "init is called multiple times on this interceptor: " + this.getClass().getName()); this.appContext = appContext; if (this.nextInterceptor != null) { this.nextInterceptor.init(appContext); } } /** * Recover {@link RequestInterceptor} state from store. */ @Override public void recover(Map<String, byte[]> recoveredDataMap) { if (this.nextInterceptor != null) { this.nextInterceptor.recover(recoveredDataMap); } } /** * Disposes the {@link RequestInterceptor}. */ @Override public void shutdown() { if (this.nextInterceptor != null) { this.nextInterceptor.shutdown(); } } /** * Gets the next {@link RequestInterceptor} in the chain. */ @Override public RequestInterceptor getNextInterceptor() { return this.nextInterceptor; } /** * Gets the {@link AMRMProxyApplicationContext}. */ public AMRMProxyApplicationContext getApplicationContext() { return this.appContext; } /** * Default implementation that invokes the distributed scheduling version * of the register method. * * @param request ApplicationMaster allocate request * @return Distribtued Scheduler Allocate Response * @throws YarnException if fails * @throws IOException if fails */ @Override public DistributedSchedulingAllocateResponse allocateForDistributedScheduling( DistributedSchedulingAllocateRequest request) throws YarnException, IOException { return (this.nextInterceptor != null) ? this.nextInterceptor.allocateForDistributedScheduling(request) : null; } /** * Default implementation that invokes the distributed scheduling version * of the allocate method. * * @param request ApplicationMaster registration request * @return Distributed Scheduler Register Response * @throws YarnException if fails * @throws IOException if fails */ @Override public RegisterDistributedSchedulingAMResponse registerApplicationMasterForDistributedScheduling( RegisterApplicationMasterRequest request) throws YarnException, IOException { return (this.nextInterceptor != null) ? this.nextInterceptor .registerApplicationMasterForDistributedScheduling(request) : null; } /** * A helper method for getting NM state store. * * @return the NMSS instance */ public NMStateStoreService getNMStateStore() { if (this.appContext == null || this.appContext.getNMCotext() == null) { return null; } return this.appContext.getNMCotext().getNMStateStore(); } }
apache-2.0
siosio/intellij-community
java/java-tests/testData/inspection/conditionalCanBeOptional/afterOptionalReturn.java
291
// "Replace with Optional.ofNullable() chain" "GENERIC_ERROR_OR_WARNING" import java.util.Optional; class Test { interface V {} interface Type { V getValue(); } // IDEA-179273 public Optional<V> foo(Type arg) { return Optional.ofNullable(arg).map(Type::getValue); } }
apache-2.0
liyinan926/kubernetes
pkg/kubectl/polymorphichelpers/canbeautoscaled.go
1298
/* Copyright 2018 The Kubernetes Authors. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ package polymorphichelpers import ( "fmt" appsv1 "k8s.io/api/apps/v1" corev1 "k8s.io/api/core/v1" extensionsv1beta1 "k8s.io/api/extensions/v1beta1" "k8s.io/apimachinery/pkg/runtime/schema" ) func canBeAutoscaled(kind schema.GroupKind) error { switch kind { case corev1.SchemeGroupVersion.WithKind("ReplicationController").GroupKind(), appsv1.SchemeGroupVersion.WithKind("Deployment").GroupKind(), appsv1.SchemeGroupVersion.WithKind("ReplicaSet").GroupKind(), extensionsv1beta1.SchemeGroupVersion.WithKind("Deployment").GroupKind(), extensionsv1beta1.SchemeGroupVersion.WithKind("ReplicaSet").GroupKind(): // nothing to do here default: return fmt.Errorf("cannot autoscale a %v", kind) } return nil }
apache-2.0
jasontedor/elasticsearch-hadoop
mr/src/itest/java/org/elasticsearch/hadoop/integration/rest/ssl/BasicSSLServer.java
5006
/* * Licensed to Elasticsearch under one or more contributor * license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright * ownership. Elasticsearch licenses this file to you under * the Apache License, Version 2.0 (the "License"); you may * not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. */ package org.elasticsearch.hadoop.integration.rest.ssl; import io.netty.bootstrap.ServerBootstrap; import io.netty.buffer.Unpooled; import io.netty.channel.ChannelFutureListener; import io.netty.channel.ChannelHandler.Sharable; import io.netty.channel.ChannelHandlerContext; import io.netty.channel.ChannelInboundHandlerAdapter; import io.netty.channel.ChannelInitializer; import io.netty.channel.ChannelOption; import io.netty.channel.ChannelPipeline; import io.netty.channel.EventLoopGroup; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioServerSocketChannel; import io.netty.handler.codec.http.DefaultFullHttpResponse; import io.netty.handler.codec.http.FullHttpResponse; import io.netty.handler.codec.http.HttpRequest; import io.netty.handler.codec.http.HttpServerCodec; import io.netty.handler.logging.LogLevel; import io.netty.handler.logging.LoggingHandler; import io.netty.handler.ssl.SslContext; import java.io.File; import java.nio.file.Paths; import org.elasticsearch.hadoop.util.StringUtils; import static io.netty.handler.codec.http.HttpHeaders.Names.*; import static io.netty.handler.codec.http.HttpResponseStatus.*; import static io.netty.handler.codec.http.HttpVersion.*; public class BasicSSLServer { private static class BasicSSLServerInitializer extends ChannelInitializer<SocketChannel> { private final SslContext sslCtx; public BasicSSLServerInitializer(SslContext sslCtx) { this.sslCtx = sslCtx; } @Override public void initChannel(SocketChannel ch) throws Exception { ChannelPipeline pipeline = ch.pipeline(); pipeline.addLast(sslCtx.newHandler(ch.alloc())); pipeline.addLast(new HttpServerCodec()); pipeline.addLast(new EchoServerHandler()); } } @Sharable public static class EchoServerHandler extends ChannelInboundHandlerAdapter { @Override public void channelRead(ChannelHandlerContext ctx, Object msg) { if (msg instanceof HttpRequest) { HttpRequest req = (HttpRequest) msg; FullHttpResponse response = new DefaultFullHttpResponse(HTTP_1_1, OK, Unpooled.wrappedBuffer(req.getUri().getBytes(StringUtils.UTF_8))); response.headers().set(CONTENT_TYPE, "text/plain"); response.headers().set(CONTENT_LENGTH, response.content().readableBytes()); ctx.write(response).addListener(ChannelFutureListener.CLOSE); } } @Override public void channelReadComplete(ChannelHandlerContext ctx) { ctx.flush(); } @Override public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) { // Close the connection when an exception is raised. cause.printStackTrace(); ctx.close(); } } private EventLoopGroup bossGroup, workerGroup; private ServerBootstrap server; private final int port; public File certificate; public File privateKey; public BasicSSLServer(int port) throws Exception { this.port = port; } public void start() throws Exception { File cert = Paths.get(getClass().getResource("/ssl/server.pem").toURI()).toFile(); File keyStore = Paths.get(getClass().getResource("/ssl/server.key").toURI()).toFile(); SslContext sslCtx = SslContext.newServerContext(cert, keyStore); bossGroup = new NioEventLoopGroup(1); workerGroup = new NioEventLoopGroup(); server = new ServerBootstrap(); server.group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .option(ChannelOption.SO_BACKLOG, 100) .handler(new LoggingHandler(LogLevel.INFO)) .childHandler(new BasicSSLServerInitializer(sslCtx)); server.bind(port).sync().channel().closeFuture(); } public void stop() throws Exception { if (bossGroup != null) { bossGroup.shutdownGracefully(); } if (workerGroup != null) { workerGroup.shutdownGracefully(); } } }
apache-2.0
GlenRSmith/elasticsearch
x-pack/plugin/security/src/internalClusterTest/java/org/elasticsearch/integration/DocumentLevelSecurityRandomTests.java
5357
/* * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one * or more contributor license agreements. Licensed under the Elastic License * 2.0; you may not use this file except in compliance with the Elastic License * 2.0. */ package org.elasticsearch.integration; import org.elasticsearch.action.admin.indices.alias.IndicesAliasesRequestBuilder; import org.elasticsearch.action.index.IndexRequestBuilder; import org.elasticsearch.action.search.SearchResponse; import org.elasticsearch.common.settings.SecureString; import org.elasticsearch.common.settings.Settings; import org.elasticsearch.index.query.QueryBuilders; import org.elasticsearch.test.SecurityIntegTestCase; import org.elasticsearch.test.SecuritySettingsSourceField; import org.elasticsearch.xpack.core.XPackSettings; import java.util.ArrayList; import java.util.Collections; import java.util.List; import static org.elasticsearch.test.hamcrest.ElasticsearchAssertions.assertAcked; import static org.elasticsearch.xpack.core.security.authc.support.UsernamePasswordToken.BASIC_AUTH_HEADER; import static org.elasticsearch.xpack.core.security.authc.support.UsernamePasswordToken.basicAuthHeaderValue; import static org.hamcrest.Matchers.equalTo; public class DocumentLevelSecurityRandomTests extends SecurityIntegTestCase { protected static final SecureString USERS_PASSWD = SecuritySettingsSourceField.TEST_PASSWORD_SECURE_STRING; // can't add a second test method, because each test run creates a new instance of this class and that will will result // in a new random value: private final int numberOfRoles = scaledRandomIntBetween(3, 99); @Override protected String configUsers() { final String usersPasswdHashed = new String(getFastStoredHashAlgoForTests().hash(USERS_PASSWD)); StringBuilder builder = new StringBuilder(super.configUsers()); for (int i = 1; i <= numberOfRoles; i++) { builder.append("user").append(i).append(':').append(usersPasswdHashed).append('\n'); } return builder.toString(); } @Override protected String configUsersRoles() { StringBuilder builder = new StringBuilder(super.configUsersRoles()); builder.append("role0:"); for (int i = 1; i <= numberOfRoles; i++) { builder.append("user").append(i); if (i != numberOfRoles) { builder.append(","); } } builder.append("\n"); for (int i = 1; i <= numberOfRoles; i++) { builder.append("role").append(i).append(":user").append(i).append('\n'); } return builder.toString(); } @Override protected String configRoles() { StringBuilder builder = new StringBuilder(super.configRoles()); builder.append("\nrole0:\n"); builder.append(" cluster: [ none ]\n"); builder.append(" indices:\n"); builder.append(" - names: '*'\n"); builder.append(" privileges: [ none ]\n"); for (int i = 1; i <= numberOfRoles; i++) { builder.append("role").append(i).append(":\n"); builder.append(" cluster: [ all ]\n"); builder.append(" indices:\n"); builder.append(" - names: '*'\n"); builder.append(" privileges:\n"); builder.append(" - all\n"); builder.append(" query: \n"); builder.append(" term: \n"); builder.append(" field1: value").append(i).append('\n'); } return builder.toString(); } @Override public Settings nodeSettings(int nodeOrdinal, Settings otherSettings) { return Settings.builder() .put(super.nodeSettings(nodeOrdinal, otherSettings)) .put(XPackSettings.DLS_FLS_ENABLED.getKey(), true) .build(); } public void testDuelWithAliasFilters() throws Exception { assertAcked(client().admin().indices().prepareCreate("test").setMapping("field1", "type=text", "field2", "type=text")); List<IndexRequestBuilder> requests = new ArrayList<>(numberOfRoles); IndicesAliasesRequestBuilder builder = client().admin().indices().prepareAliases(); for (int i = 1; i <= numberOfRoles; i++) { String value = "value" + i; requests.add(client().prepareIndex("test").setId(value).setSource("field1", value)); builder.addAlias("test", "alias" + i, QueryBuilders.termQuery("field1", value)); } indexRandom(true, requests); builder.get(); for (int roleI = 1; roleI <= numberOfRoles; roleI++) { SearchResponse searchResponse1 = client().filterWithHeader( Collections.singletonMap(BASIC_AUTH_HEADER, basicAuthHeaderValue("user" + roleI, USERS_PASSWD)) ).prepareSearch("test").get(); SearchResponse searchResponse2 = client().prepareSearch("alias" + roleI).get(); assertThat(searchResponse1.getHits().getTotalHits().value, equalTo(searchResponse2.getHits().getTotalHits().value)); for (int hitI = 0; hitI < searchResponse1.getHits().getHits().length; hitI++) { assertThat(searchResponse1.getHits().getAt(hitI).getId(), equalTo(searchResponse2.getHits().getAt(hitI).getId())); } } } }
apache-2.0
aidancully/rust
src/test/ui/rfc-2093-infer-outlives/regions-outlives-nominal-type-region.rs
441
// Test that a nominal type (like `Foo<'a>`) outlives `'b` if its // arguments (like `'a`) outlive `'b`. // // Rule OutlivesNominalType from RFC 1214. #![allow(dead_code)] mod variant_struct_region { struct Foo<'a> { x: &'a i32, } trait Trait<'a, 'b> { type Out; } impl<'a, 'b> Trait<'a, 'b> for usize { type Out = &'a Foo<'b>; //~ ERROR reference has a longer lifetime } } fn main() { }
apache-2.0
XiaosongWei/crosswalk-test-suite
usecase/usecase-cordova-android-tests/samples/CordovaPackage4.x/REAMDE.md
430
## Usecase Design This sample demonstrates Cordova Package feature basic functionalities, include: * Create cordova package * Build cordova package using cordova-plugin-crosswalk-webview * Install, Launch, Run and Exit the cordova package This usecase covers following methods: * $ cordova-android/bin/create * $ plugman install --platform android --plugin ../cordova-plugin-crosswalk-webview/ --project . * $ ./cordova/build
bsd-3-clause
scheib/chromium
third_party/blink/web_tests/external/wpt/css/css-position/sticky/position-sticky-scrollIntoView.html
1000
<!DOCTYPE html> <title>Scrolling to sticky position elements uses their unshifted position</title> <link rel="help" href="https://www.w3.org/TR/css-position-3/#stickypos-scroll" /> <meta name="assert" content="This test checks that scrolling to sticky position elements uses their initial position" /> <script src="/resources/testharness.js"></script> <script src="/resources/testharnessreport.js"></script> <style> h1 { position: sticky; background: #ddd; border: 1px solid black; top: 0px; bottom: 0px; } section { height: 100vh; } </style> <body> <h1>Title 1</h1> <section></section> <h1>Title 2</h1> <section></section> <h1>Title 3</h1> <section></section> <script> test(() => { window.scrollTo(0, 0); const element = document.querySelectorAll('h1')[2]; element.scrollIntoView(); assert_approx_equals(document.scrollingElement.scrollTop, element.offsetTop, 1); }, 'scrolling a sticky element into view should use its unshifted position'); </script> </body>
bsd-3-clause
mhennings/marcohennings-go
src/cmd/5l/softfloat.c
1619
// Copyright 2009 The Go Authors. All rights reserved. // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. #include "l.h" #include "../ld/lib.h" // Software floating point. void softfloat(void) { Prog *p, *next, *psfloat; Sym *symsfloat; int wasfloat; if(!debug['F']) return; symsfloat = lookup("_sfloat", 0); psfloat = P; if(symsfloat->type == STEXT) psfloat = symsfloat->text; for(cursym = textp; cursym != nil; cursym = cursym->next) { wasfloat = 0; for(p = cursym->text; p != P; p = p->link) if(p->cond != P) p->cond->mark |= LABEL; for(p = cursym->text; p != P; p = p->link) { switch(p->as) { case AMOVW: if(p->to.type == D_FREG || p->from.type == D_FREG) goto soft; goto notsoft; case AMOVWD: case AMOVWF: case AMOVDW: case AMOVFW: case AMOVFD: case AMOVDF: case AMOVF: case AMOVD: case ACMPF: case ACMPD: case AADDF: case AADDD: case ASUBF: case ASUBD: case AMULF: case AMULD: case ADIVF: case ADIVD: case ASQRTF: case ASQRTD: case AABSF: case AABSD: goto soft; default: goto notsoft; soft: if (psfloat == P) diag("floats used with _sfloat not defined"); if (!wasfloat || (p->mark&LABEL)) { next = prg(); *next = *p; // BL _sfloat(SB) *p = zprg; p->link = next; p->as = ABL; p->to.type = D_BRANCH; p->to.sym = symsfloat; p->cond = psfloat; p->line = next->line; p = next; wasfloat = 1; } break; notsoft: wasfloat = 0; } } } }
bsd-3-clause
chromium/chromium
third_party/blink/web_tests/external/wpt/permissions-policy/experimental-features/resources/common.js
3063
const url_base = "/permissions-policy/experimental-features/resources/"; window.messageResponseCallback = null; function setFeatureState(iframe, feature, origins) { iframe.setAttribute("allow", `${feature} ${origins};`); } // Returns a promise which is resolved when the <iframe> is navigated to |url| // and "load" handler has been called. function loadUrlInIframe(iframe, url) { return new Promise((resolve) => { iframe.addEventListener("load", resolve); iframe.src = url; }); } // Posts |message| to |target| and resolves the promise with the response coming // back from |target|. function sendMessageAndGetResponse(target, message) { return new Promise((resolve) => { window.messageResponseCallback = resolve; target.postMessage(message, "*"); }); } function onMessage(e) { if (window.messageResponseCallback) { window.messageResponseCallback(e.data); window.messageResponseCallback = null; } } window.addEventListener("message", onMessage); // Waits for |load_timeout| before resolving the promise. It will resolve the // promise sooner if a message event with |e.data.id| of |id| is received. // In such a case the response is the contents of the message |e.data.contents|. // Otherwise, returns false (when timeout occurs). function waitForMessageOrTimeout(t, id, load_timeout) { return new Promise((resolve) => { window.addEventListener( "message", (e) => { if (!e.data || e.data.id !== id) return; resolve(e.data.contents); } ); t.step_timeout(() => { resolve(false); }, load_timeout); }); } function createIframe(container, attributes) { var new_iframe = document.createElement("iframe"); for (attr_name in attributes) new_iframe.setAttribute(attr_name, attributes[attr_name]); container.appendChild(new_iframe); return new_iframe; } // Returns a promise which is resolved when |load| event is dispatched for |e|. function wait_for_load(e) { return new Promise((resolve) => { e.addEventListener("load", resolve); }); } setup(() => { window.reporting_observer_instance = new ReportingObserver((reports, observer) => { if (window.reporting_observer_callback) { reports.forEach(window.reporting_observer_callback); } }, {types: ["permissions-policy-violation"]}); window.reporting_observer_instance.observe(); window.reporting_observer_callback = null; }); // Waits for a violation in |feature| and source file containing |file_name|. function wait_for_violation_in_file(feature, file_name) { return new Promise( (resolve) => { assert_equals(null, window.reporting_observer_callback); window.reporting_observer_callback = (report) => { var feature_match = (feature === report.body.featureId); var file_name_match = !file_name || (report.body.sourceFile.indexOf(file_name) !== -1); if (feature_match && file_name_match) { window.reporting_observer_callback = null; resolve(report); } }; }); }
bsd-3-clause
NBurrichter/Brainzzz
UnityGame/Brainz/Assets/AstarPathfindingProject/Editor/CustomGraphEditorAttribute.cs
551
/** Added to editors of custom graph types */ [System.AttributeUsage(System.AttributeTargets.All, Inherited = false, AllowMultiple = true)] public class CustomGraphEditorAttribute : System.Attribute { /** Graph type which this is an editor for */ public System.Type graphType; /** Name displayed in the inpector */ public string displayName; /** Type of the editor for the graph */ public System.Type editorType; public CustomGraphEditorAttribute (System.Type t, string displayName) { graphType = t; this.displayName = displayName; } }
mit
stevepiercy/readthedocs.org
readthedocs/rtd_tests/tests/test_doc_building.py
15211
# -*- coding: utf-8 -*- import os.path import shutil import uuid import re from django.test import TestCase from django.contrib.auth.models import User from mock import patch, Mock, PropertyMock from docker.errors import APIError as DockerAPIError, DockerException from readthedocs.projects.models import Project from readthedocs.builds.models import Version from readthedocs.doc_builder.environments import (DockerEnvironment, DockerBuildCommand, LocalEnvironment, BuildCommand) from readthedocs.doc_builder.exceptions import BuildEnvironmentError from readthedocs.rtd_tests.utils import make_test_git from readthedocs.rtd_tests.base import RTDTestCase from readthedocs.rtd_tests.mocks.environment import EnvironmentMockGroup class TestLocalEnvironment(TestCase): '''Test execution and exception handling in environment''' fixtures = ['test_data'] def setUp(self): self.project = Project.objects.get(slug='pip') self.version = Version(slug='foo', verbose_name='foobar') self.project.versions.add(self.version) self.mocks = EnvironmentMockGroup() self.mocks.start() def tearDown(self): self.mocks.stop() def test_normal_execution(self): '''Normal build in passing state''' self.mocks.configure_mock('process', { 'communicate.return_value': ('This is okay', '')}) type(self.mocks.process).returncode = PropertyMock(return_value=0) build_env = LocalEnvironment(version=self.version, project=self.project, build={}) with build_env: build_env.run('echo', 'test') self.assertTrue(self.mocks.process.communicate.called) self.assertTrue(build_env.done) self.assertTrue(build_env.successful) self.assertEqual(len(build_env.commands), 1) self.assertEqual(build_env.commands[0].output, u'This is okay') def test_failing_execution(self): '''Build in failing state''' self.mocks.configure_mock('process', { 'communicate.return_value': ('This is not okay', '')}) type(self.mocks.process).returncode = PropertyMock(return_value=1) build_env = LocalEnvironment(version=self.version, project=self.project, build={}) with build_env: build_env.run('echo', 'test') self.fail('This should be unreachable') self.assertTrue(self.mocks.process.communicate.called) self.assertTrue(build_env.done) self.assertTrue(build_env.failed) self.assertEqual(len(build_env.commands), 1) self.assertEqual(build_env.commands[0].output, u'This is not okay') def test_failing_execution_with_caught_exception(self): '''Build in failing state with BuildEnvironmentError exception''' build_env = LocalEnvironment(version=self.version, project=self.project, build={}) with build_env: raise BuildEnvironmentError('Foobar') self.assertFalse(self.mocks.process.communicate.called) self.assertEqual(len(build_env.commands), 0) self.assertTrue(build_env.done) self.assertTrue(build_env.failed) def test_failing_execution_with_uncaught_exception(self): '''Build in failing state with exception from code''' build_env = LocalEnvironment(version=self.version, project=self.project, build={}) def _inner(): with build_env: raise Exception() self.assertRaises(Exception, _inner) self.assertFalse(self.mocks.process.communicate.called) self.assertTrue(build_env.done) self.assertTrue(build_env.failed) class TestDockerEnvironment(TestCase): '''Test docker build environment''' fixtures = ['test_data'] def setUp(self): self.project = Project.objects.get(slug='pip') self.version = Version(slug='foo', verbose_name='foobar') self.project.versions.add(self.version) self.mocks = EnvironmentMockGroup() self.mocks.start() def tearDown(self): self.mocks.stop() def test_container_id(self): '''Test docker build command''' docker = DockerEnvironment(version=self.version, project=self.project, build={}) self.assertEqual(docker.container_id, 'version-foobar-of-pip-20') def test_connection_failure(self): '''Connection failure on to docker socket should raise exception''' self.mocks.configure_mock('docker', { 'side_effect': DockerException }) build_env = DockerEnvironment(version=self.version, project=self.project, build={}) def _inner(): with build_env: self.fail('Should not hit this') self.assertRaises(BuildEnvironmentError, _inner) def test_api_failure(self): '''Failing API error response from docker should raise exception''' response = Mock(status_code=500, reason='Because') self.mocks.configure_mock('docker_client', { 'create_container.side_effect': DockerAPIError( 'Failure creating container', response, 'Failure creating container' ) }) build_env = DockerEnvironment(version=self.version, project=self.project, build={}) def _inner(): with build_env: self.fail('Should not hit this') self.assertRaises(BuildEnvironmentError, _inner) def test_command_execution(self): '''Command execution through Docker''' self.mocks.configure_mock('docker_client', { 'exec_create.return_value': {'Id': 'container-foobar'}, 'exec_start.return_value': 'This is the return', 'exec_inspect.return_value': {'ExitCode': 1}, }) build_env = DockerEnvironment(version=self.version, project=self.project, build={}) with build_env: build_env.run('echo test', cwd='/tmp') self.mocks.docker_client.exec_create.assert_called_with( container='version-foobar-of-pip-20', cmd="/bin/sh -c 'cd /tmp && echo\\ test'", stderr=True, stdout=True ) self.assertEqual(build_env.commands[0].exit_code, 1) self.assertEqual(build_env.commands[0].output, 'This is the return') self.assertEqual(build_env.commands[0].error, None) self.assertTrue(build_env.failed) def test_command_execution_cleanup_exception(self): '''Command execution through Docker, catch exception during cleanup''' response = Mock(status_code=500, reason='Because') self.mocks.configure_mock('docker_client', { 'exec_create.return_value': {'Id': 'container-foobar'}, 'exec_start.return_value': 'This is the return', 'exec_inspect.return_value': {'ExitCode': 0}, 'kill.side_effect': DockerAPIError( 'Failure killing container', response, 'Failure killing container' ) }) build_env = DockerEnvironment(version=self.version, project=self.project, build={}) with build_env: build_env.run('echo', 'test', cwd='/tmp') self.mocks.docker_client.kill.assert_called_with( 'version-foobar-of-pip-20') self.assertTrue(build_env.successful) def test_container_already_exists(self): '''Docker container already exists''' self.mocks.configure_mock('docker_client', { 'inspect_container.return_value': {'State': {'Running': True}}, 'exec_create.return_value': {'Id': 'container-foobar'}, 'exec_start.return_value': 'This is the return', 'exec_inspect.return_value': {'ExitCode': 0}, }) build_env = DockerEnvironment(version=self.version, project=self.project, build={}) def _inner(): with build_env: build_env.run('echo', 'test', cwd='/tmp') self.assertRaises(BuildEnvironmentError, _inner) self.assertEqual( str(build_env.failure), 'A build environment is currently running for this version') self.assertEqual(self.mocks.docker_client.exec_create.call_count, 0) self.assertTrue(build_env.failed) def test_container_timeout(self): '''Docker container timeout and command failure''' response = Mock(status_code=404, reason='Container not found') self.mocks.configure_mock('docker_client', { 'inspect_container.side_effect': [ DockerAPIError( 'No container found', response, 'No container found', ), {'State': {'Running': False, 'ExitCode': 42}}, ], 'exec_create.return_value': {'Id': 'container-foobar'}, 'exec_start.return_value': 'This is the return', 'exec_inspect.return_value': {'ExitCode': 0}, }) build_env = DockerEnvironment(version=self.version, project=self.project, build={}) with build_env: build_env.run('echo', 'test', cwd='/tmp') self.assertEqual( str(build_env.failure), 'Build exited due to time out') self.assertEqual(self.mocks.docker_client.exec_create.call_count, 1) self.assertTrue(build_env.failed) class TestBuildCommand(TestCase): '''Test build command creation''' def test_command_env(self): '''Test build command env vars''' env = {'FOOBAR': 'foobar', 'PATH': 'foobar'} cmd = BuildCommand('echo', environment=env) for key in env.keys(): self.assertEqual(cmd.environment[key], env[key]) def test_result(self): '''Test result of output using unix true/false commands''' cmd = BuildCommand('true') cmd.run() self.assertTrue(cmd.successful) cmd = BuildCommand('false') cmd.run() self.assertTrue(cmd.failed) def test_missing_command(self): '''Test missing command''' path = os.path.join('non-existant', str(uuid.uuid4())) self.assertFalse(os.path.exists(path)) cmd = BuildCommand(path) cmd.run() missing_re = re.compile(r'(?:No such file or directory|not found)') self.assertRegexpMatches(cmd.error, missing_re) def test_input(self): '''Test input to command''' cmd = BuildCommand('/bin/cat', input_data='FOOBAR') cmd.run() self.assertEqual(cmd.output, 'FOOBAR') def test_output(self): '''Test output command''' cmd = BuildCommand(['/bin/bash', '-c', 'echo -n FOOBAR']) cmd.run() self.assertEqual(cmd.output, "FOOBAR") def test_error_output(self): '''Test error output from command''' # Test default combined output/error streams cmd = BuildCommand(['/bin/bash', '-c', 'echo -n FOOBAR 1>&2']) cmd.run() self.assertEqual(cmd.output, 'FOOBAR') self.assertIsNone(cmd.error) # Test non-combined streams cmd = BuildCommand(['/bin/bash', '-c', 'echo -n FOOBAR 1>&2'], combine_output=False) cmd.run() self.assertEqual(cmd.output, '') self.assertEqual(cmd.error, 'FOOBAR') @patch('subprocess.Popen') def test_unicode_output(self, mock_subprocess): '''Unicode output from command''' mock_process = Mock(**{ 'communicate.return_value': (b'HérÉ îß sömê ünïçó∂é', ''), }) mock_subprocess.return_value = mock_process cmd = BuildCommand(['echo', 'test'], cwd='/tmp/foobar') cmd.run() self.assertEqual( cmd.output, u'H\xe9r\xc9 \xee\xdf s\xf6m\xea \xfcn\xef\xe7\xf3\u2202\xe9') class TestDockerBuildCommand(TestCase): '''Test docker build commands''' def setUp(self): self.mocks = EnvironmentMockGroup() self.mocks.start() def tearDown(self): self.mocks.stop() def test_wrapped_command(self): '''Test shell wrapping for Docker chdir''' cmd = DockerBuildCommand(['pip', 'install', 'requests'], cwd='/tmp/foobar') self.assertEqual( cmd.get_wrapped_command(), ("/bin/sh -c " "'cd /tmp/foobar && " "pip install requests'")) cmd = DockerBuildCommand(['python', '/tmp/foo/pip', 'install', 'Django>1.7'], cwd='/tmp/foobar', bin_path='/tmp/foo') self.assertEqual( cmd.get_wrapped_command(), ("/bin/sh -c " "'cd /tmp/foobar && PATH=/tmp/foo:$PATH " "python /tmp/foo/pip install Django\>1.7'")) def test_unicode_output(self): '''Unicode output from command''' self.mocks.configure_mock('docker_client', { 'exec_create.return_value': {'Id': 'container-foobar'}, 'exec_start.return_value': b'HérÉ îß sömê ünïçó∂é', 'exec_inspect.return_value': {'ExitCode': 0}, }) cmd = DockerBuildCommand(['echo', 'test'], cwd='/tmp/foobar') cmd.build_env = Mock() cmd.build_env.get_client.return_value = self.mocks.docker_client type(cmd.build_env).container_id = PropertyMock(return_value='foo') cmd.run() self.assertEqual( cmd.output, u'H\xe9r\xc9 \xee\xdf s\xf6m\xea \xfcn\xef\xe7\xf3\u2202\xe9') self.assertEqual(self.mocks.docker_client.exec_start.call_count, 1) self.assertEqual(self.mocks.docker_client.exec_create.call_count, 1) self.assertEqual(self.mocks.docker_client.exec_inspect.call_count, 1) def test_command_oom_kill(self): '''Command is OOM killed''' self.mocks.configure_mock('docker_client', { 'exec_create.return_value': {'Id': 'container-foobar'}, 'exec_start.return_value': b'Killed\n', 'exec_inspect.return_value': {'ExitCode': 137}, }) cmd = DockerBuildCommand(['echo', 'test'], cwd='/tmp/foobar') cmd.build_env = Mock() cmd.build_env.get_client.return_value = self.mocks.docker_client type(cmd.build_env).container_id = PropertyMock(return_value='foo') cmd.run() self.assertEqual( str(cmd.output), u'Command killed due to excessive memory consumption\n')
mit
shawlu95/SuperWordLadder
lib/StanfordCPPLib/io/urlstream.cpp
2486
/* * File: urlstream.cpp * ------------------- * This file contains the implementation of the iurlstream class. * Please see urlstream.h for information about how to use these classes. * * @author Marty Stepp * @version 2015/07/05 * - removed static global Platform variable, replaced by getPlatform as needed * @version 2014/10/14 * - fixed .c_str() Mac bug on ifstream::open() call * @since 2014/10/08 */ #include "urlstream.h" #include <sstream> #include <string> #include "error.h" #include "filelib.h" #include "strlib.h" #include "private/platform.h" iurlstream::iurlstream() : m_url(""), m_tempFilePath(""), m_lastError(0) { // empty } iurlstream::iurlstream(std::string url) : m_url(url), m_tempFilePath(""), m_lastError(0) { open(url); } void iurlstream::close() { std::ifstream::close(); if (!m_tempFilePath.empty() && fileExists(m_tempFilePath)) { deleteFile(m_tempFilePath); } m_tempFilePath = ""; m_lastError = 0; } int iurlstream::getErrorCode() const { return m_lastError; } void iurlstream::open(std::string url) { if (url.empty()) { url = m_url; } // download the entire URL to a temp file, put into stringbuf for reading std::string tempDir = getTempDirectory(); std::string filename = getUrlFilename(url); m_tempFilePath = tempDir + getDirectoryPathSeparator() + filename; m_lastError = stanfordcpplib::getPlatform()->url_download(url, filename); if (m_lastError == ERR_MALFORMED_URL) { error("iurlstream::open: malformed URL when downloading " + url + " to " + m_tempFilePath); } else if (m_lastError == ERR_IO_EXCEPTION) { error("iurlstream::open: network I/O error when downloading " + url + " to " + m_tempFilePath); } if (m_lastError == 200) { std::ifstream::open(m_tempFilePath.c_str()); } else { setstate(std::ios::failbit); } } std::string iurlstream::getUrlFilename(std::string url) const { std::string filename = url; // strip query string, anchor from URL int questionmark = stringIndexOf(url, "?"); if (questionmark >= 0) { filename = filename.substr(0, questionmark); } int hash = stringIndexOf(url, "#"); if (hash >= 0) { filename = filename.substr(0, hash); } filename = getTail(filename); if (filename.empty()) { filename = "index.tmp"; // for / urls like http://google.com/ } return filename; }
mit
james54068/stm32f429_learning
stm32f429_SDCard/Libraries/CMSIS/Documentation/DSP/html/search/groups_6c.html
1017
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html><head><title></title> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta name="generator" content="Doxygen 1.8.3.1"> <link rel="stylesheet" type="text/css" href="search.css"/> <script type="text/javascript" src="groups_6c.js"></script> <script type="text/javascript" src="search.js"></script> </head> <body class="SRPage"> <div id="SRIndex"> <div class="SRStatus" id="Loading">Loading...</div> <div id="SRResults"></div> <script type="text/javascript"><!-- createResults(); --></script> <div class="SRStatus" id="Searching">Searching...</div> <div class="SRStatus" id="NoMatches">No Matches</div> <script type="text/javascript"><!-- document.getElementById("Loading").style.display="none"; document.getElementById("NoMatches").style.display="none"; var searchResults = new SearchResults("searchResults"); searchResults.Search(); --></script> </div> </body> </html>
mit
masmike/accu
vendor/ircmaxell/random-lib/test/Unit/RandomLib/Mixer/HashTest.php
1704
<?php /* * The RandomLib library for securely generating random numbers and strings in PHP * * @author Anthony Ferrara <[email protected]> * @copyright 2011 The Authors * @license http://www.opensource.org/licenses/mit-license.html MIT License * @version Build @@version@@ */ namespace RandomLib\Mixer; use SecurityLib\Strength; class HashTest extends \PHPUnit_Framework_TestCase { public static function provideMix() { $data = array( array(array(), ''), array(array('1', '1'), '0d'), array(array('a'), '61'), // This expects 'b' because of how the mock hmac function works array(array('a', 'b'), '9a'), array(array('aa', 'ba'), '6e84'), array(array('ab', 'bb'), 'b0cb'), array(array('aa', 'bb'), 'ae8d'), array(array('aa', 'bb', 'cc'), 'a14c'), array(array('aabbcc', 'bbccdd', 'ccddee'), 'a8aff3939934'), ); return $data; } public function testConstructWithoutArgument() { $hash = new Hash(); $this->assertTrue($hash instanceof \RandomLib\Mixer); } public function testGetStrength() { $strength = new Strength(Strength::MEDIUM); $actual = Hash::getStrength(); $this->assertEquals($actual, $strength); } public function testTest() { $actual = Hash::test(); $this->assertTrue($actual); } /** * @dataProvider provideMix */ public function testMix($parts, $result) { $mixer = new Hash('md5'); $actual = $mixer->mix($parts); $this->assertEquals($result, bin2hex($actual)); } }
mit