我有一个新的自定义检查器 (TransactionChecker.cpp)。
这是交易状态:
struct TransactionState {
private:
enum Kind { OpenedT, StartedT, FinalizedT, ClosedT } K;
TransactionState(Kind InK) : K(InK) {}
public:
bool isOpened() const { return K == OpenedT; }
bool isClosed() const { return K == ClosedT; }
bool isStarted() const { return K == StartedT; }
bool isFinalized() const { return K == FinalizedT; }
static TransactionState getOpened() { return TransactionState(OpenedT); }
static TransactionState getClosed() { return TransactionState(ClosedT); }
static TransactionState getStarted() { return TransactionState(StartedT); }
static TransactionState getFinalized() {
return TransactionState(FinalizedT);
}
bool operator==(const TransactionState &X) const { return K == X.K; }
void Profile(llvm::FoldingSetNodeID &ID) const { ID.AddInteger(K); }
};
我的头文件和test.c
void checkDoubleOpen(){
TRANSACTION *T = open_transaction();
T = open_transaction(); // expected-warning {{Open a previously open transaction}}
#pragma clang system_header
typedef struct __sTRANSACTION {
unsigned char *_p;
int value;
} TRANSACTION;
void startTransaction(TRANSACTION *T,int val);
int finalizeTransaction(TRANSACTION *T);
TRANSACTION* open_transaction();
int close_transaction(TRANSACTION*);
void fakeSystemHeaderCall(TRANSACTION *);
运行后:
clang -cc1 -analyze -analyzer-checker=alpha.unix.Transaction test.c
我想打印那个警告。
我尝试使用 REGISTER_MAP_WITH_PROGRAMSTATE(MAPSymbolTS, SymbolRef, TransactionState)
void TransactionChecker::checkPostCall(const CallEvent &Call,
CheckerContext &C) const {
if (!Call.isGlobalCFunction())
return;
if (!Call.isCalled(OpenTran))
return;
ProgramStateRef State = C.getState();
// Get the symbolic value corresponding to the file handle.
FunctionDecl FileDesc = Call.getReturnValue().getAsSymbol();
if (!FileDesc)
return;
const struct TransactionState *TState = State->get<MAPSymbolTS>(FileDesc);
if (!TState) {
// Generate the next transition (an edge in the exploded graph).
State = State->set<MAPSymbolTS>(FileDesc, TransactionState::getOpened());
C.addTransition(State);
} else {
reportOpenAfterOpen(Call, C);
}
}
但没有成功。
我想我需要一张新 map :key = unknown(函数名称 + id 配置文件)和 value TransactionState 但不知道如何创建它。
最佳答案
只要存在调用 open_transaction 两次且中间没有 close_transaction 的路径,您就需要报告。
如评论中所述,这有点像教程检查器 SimpleStreamChecker.cpp .然而,该检查器正在跟踪多个对象的状态,而这里的状态对程序来说是全局的。这使得它更类似于 BlockInCriticalSectionChecker.cpp , 所以我们将模仿那个。
虽然教程检查器使用 map ,但在这里我们只需要跟踪单个值。我将使用一个 unsigned 计数器:
REGISTER_TRAIT_WITH_PROGRAMSTATE(CalledTwiceCounter, unsigned)
当我们看到对 open_transaction 的调用时,增加计数器:
if (FD->getIdentifier() == II_open) {
// Update the abstract state to reflect the number of calls.
unsigned counter = state->get<CalledTwiceCounter>();
counter++;
state = state->set<CalledTwiceCounter>(counter);
C.addTransition(state);
如果计数器超过 2,则报告缺陷。
同样,当我们看到 close_transaction 时将其递减。
调用的TwiceChecker.cpp:
// CalledTwiceChecker.cpp
// https://stackoverflow.com/questions/48241792/clang-static-analyzer-check-if-a-function-was-called-twice
#include "clang/StaticAnalyzer/Checkers/BuiltinCheckerRegistration.h"
#include "clang/StaticAnalyzer/Core/BugReporter/BugType.h"
#include "clang/StaticAnalyzer/Core/Checker.h"
#include "clang/StaticAnalyzer/Core/CheckerManager.h"
#include "clang/StaticAnalyzer/Core/PathSensitive/CheckerContext.h"
#include "clang/StaticAnalyzer/Core/PathSensitive/ProgramState.h"
#include "clang/StaticAnalyzer/Core/PathSensitive/ProgramStateTrait.h"
using namespace clang;
using namespace ento;
namespace {
class CalledTwiceChecker : public Checker< eval::Call > {
mutable IdentifierInfo *II_open, *II_close;
mutable std::unique_ptr<BuiltinBug> BT_calledTwice;
public:
CalledTwiceChecker()
: II_open(nullptr), II_close(nullptr) {}
bool evalCall(const CallExpr *CE, CheckerContext &C) const;
};
} // end anonymous namespace
// Number of times the function of interest has been called on the
// current path. Automatically initialized to zero.
//
// Based on similar code in BlockInCriticalSectionChecker.cpp.
REGISTER_TRAIT_WITH_PROGRAMSTATE(CalledTwiceCounter, unsigned)
bool CalledTwiceChecker::evalCall(const CallExpr *CE, CheckerContext &C) const {
const FunctionDecl *FD = C.getCalleeDecl(CE);
if (!FD || FD->getKind() != Decl::Function) {
return false;
}
ASTContext &Ctx = C.getASTContext();
if (!II_open) {
II_open = &Ctx.Idents.get("open_transaction");
}
if (!II_close) {
II_close = &Ctx.Idents.get("close_transaction");
}
ProgramStateRef state = C.getState();
if (FD->getIdentifier() == II_open) {
// Update the abstract state to reflect the number of calls.
unsigned counter = state->get<CalledTwiceCounter>();
counter++;
state = state->set<CalledTwiceCounter>(counter);
C.addTransition(state);
//llvm::errs() << "incremented counter to " << counter << "\n";
// Note: It is questionable to allow the counter to increase without
// bound in a static analysis, but the Clang SA engine seems to cap
// the number of loop iterations at 4, so this is evidently not
// immediately catastrophic.
// Possibly report a defect.
if (counter >= 2) {
ExplodedNode *N = C.generateErrorNode();
if (N) {
if (!BT_calledTwice) {
BT_calledTwice.reset(new BuiltinBug(
this, "Called twice", "open_transaction called twice."));
}
C.emitReport(llvm::make_unique<BugReport>(
*BT_calledTwice, BT_calledTwice->getDescription(), N));
}
}
return true;
}
if (FD->getIdentifier() == II_close) {
unsigned counter = state->get<CalledTwiceCounter>();
if (counter > 0) {
counter--;
state = state->set<CalledTwiceCounter>(counter);
C.addTransition(state);
return true;
}
else {
return false;
}
}
return false;
}
void ento::registerCalledTwiceChecker(CheckerManager &mgr) {
mgr.registerChecker<CalledTwiceChecker>();
}
bool ento::shouldRegisterCalledTwiceChecker(const LangOptions &LO) {
return true;
}
要将此连接到 Clang 的其余部分,请将条目添加到:
clang/include/clang/StaticAnalyzer/Checkers/Checkers.td 和clang/lib/StaticAnalyzer/Checkers/CMakeLists.txt测试它的示例输入:
// calltwice.c
// Tests for CalledTwiceChecker.
void open_transaction();
void close_transaction();
void open_once()
{
open_transaction(); // not reported
}
void open_twice()
{
open_transaction();
open_transaction(); // reported
}
void open_one_each_path(int x)
{
if (x) {
open_transaction();
}
else {
open_transaction(); // not reported
}
}
void open_close_open()
{
open_transaction();
close_transaction();
open_transaction(); // not reported
}
void open_close_open_open()
{
open_transaction();
close_transaction();
open_transaction();
open_transaction(); // reported
}
int something();
void open_loop()
{
while (something()) {
open_transaction(); // reported
}
}
对该输入运行分析:
$ gcc -E -o calltwice.i calltwice.c
$ ~/bld/llvm-project/build/bin/clang -cc1 -analyze -analyzer-checker=alpha.core.CalledTwice calltwice.i
calltwice.c:15:3: warning: open_transaction called twice
open_transaction();
^~~~~~~~~~~~~~~~~~
calltwice.c:40:3: warning: open_transaction called twice
open_transaction();
^~~~~~~~~~~~~~~~~~
calltwice.c:48:5: warning: open_transaction called twice
open_transaction();
^~~~~~~~~~~~~~~~~~
3 warnings generated.
关于c++ - Clang 静态分析器检查一个函数是否被调用了两次,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/48241792/
使用带有Rails插件的vim,您可以创建一个迁移文件,然后一次性打开该文件吗?textmate也可以这样吗? 最佳答案 你可以使用rails.vim然后做类似的事情::Rgeneratemigratonadd_foo_to_bar插件将打开迁移生成的文件,这正是您想要的。我不能代表textmate。 关于ruby-使用VimRails,您可以创建一个新的迁移文件并一次性打开它吗?,我们在StackOverflow上找到一个类似的问题: https://sta
我需要从一个View访问多个模型。以前,我的links_controller仅用于提供以不同方式排序的链接资源。现在我想包括一个部分(我假设)显示按分数排序的顶级用户(@users=User.all.sort_by(&:score))我知道我可以将此代码插入每个链接操作并从View访问它,但这似乎不是“ruby方式”,我将需要在不久的将来访问更多模型。这可能会变得很脏,是否有针对这种情况的任何技术?注意事项:我认为我的应用程序正朝着单一格式和动态页面内容的方向发展,本质上是一个典型的网络应用程序。我知道before_filter但考虑到我希望应用程序进入的方向,这似乎很麻烦。最终从任何
我想要做的是有2个不同的Controller,client和test_client。客户端Controller已经构建,我想创建一个test_clientController,我可以使用它来玩弄客户端的UI并根据需要进行调整。我主要是想绕过我在客户端中内置的验证及其对加载数据的管理Controller的依赖。所以我希望test_clientController加载示例数据集,然后呈现客户端Controller的索引View,以便我可以调整客户端UI。就是这样。我在test_clients索引方法中试过这个:classTestClientdefindexrender:template=>
我的瘦服务器配置了nginx,我的ROR应用程序正在它们上运行。在我发布代码更新时运行thinrestart会给我的应用程序带来一些停机时间。我试图弄清楚如何优雅地重启正在运行的Thin实例,但找不到好的解决方案。有没有人能做到这一点? 最佳答案 #Restartjustthethinserverdescribedbythatconfigsudothin-C/etc/thin/mysite.ymlrestartNginx将继续运行并代理请求。如果您将Nginx设置为使用多个上游服务器,例如server{listen80;server
我想在一个没有Sass引擎的类中使用Sass颜色函数。我已经在项目中使用了sassgem,所以我认为搭载会像以下一样简单:classRectangleincludeSass::Script::FunctionsdefcolorSass::Script::Color.new([0x82,0x39,0x06])enddefrender#hamlengineexecutedwithcontextofself#sothatwithintemlateicouldcall#%stop{offset:'0%',stop:{color:lighten(color)}}endend更新:参见上面的#re
如果您尝试在Ruby中的nil对象上调用方法,则会出现NoMethodError异常并显示消息:"undefinedmethod‘...’fornil:NilClass"然而,有一个tryRails中的方法,如果它被发送到一个nil对象,它只返回nil:require'rubygems'require'active_support/all'nil.try(:nonexisting_method)#noNoMethodErrorexceptionanymore那么try如何在内部工作以防止该异常? 最佳答案 像Ruby中的所有其他对象
关闭。这个问题需要detailsorclarity.它目前不接受答案。想改进这个问题吗?通过editingthispost添加细节并澄清问题.关闭8年前。Improvethisquestion为什么SecureRandom.uuid创建一个唯一的字符串?SecureRandom.uuid#=>"35cb4e30-54e1-49f9-b5ce-4134799eb2c0"SecureRandom.uuid方法创建的字符串从不重复?
我正在尝试用ruby中的gsub函数替换字符串中的某些单词,但有时效果很好,在某些情况下会出现此错误?这种格式有什么问题吗NoMethodError(undefinedmethod`gsub!'fornil:NilClass):模型.rbclassTest"replacethisID1",WAY=>"replacethisID2andID3",DELTA=>"replacethisID4"}end另一个模型.rbclassCheck 最佳答案 啊,我找到了!gsub!是一个非常奇怪的方法。首先,它替换了字符串,所以它实际上修改了
我有一些代码在几个不同的位置之一运行:作为具有调试输出的命令行工具,作为不接受任何输出的更大程序的一部分,以及在Rails环境中。有时我需要根据代码的位置对代码进行细微的更改,我意识到以下样式似乎可行:print"Testingnestedfunctionsdefined\n"CLI=trueifCLIdeftest_printprint"CommandLineVersion\n"endelsedeftest_printprint"ReleaseVersion\n"endendtest_print()这导致:TestingnestedfunctionsdefinedCommandLin
我有一个正在构建的应用程序,我需要一个模型来创建另一个模型的实例。我希望每辆车都有4个轮胎。汽车模型classCar轮胎模型classTire但是,在make_tires内部有一个错误,如果我为Tire尝试它,则没有用于创建或新建的activerecord方法。当我检查轮胎时,它没有这些方法。我该如何补救?错误是这样的:未定义的方法'create'forActiveRecord::AttributeMethods::Serialization::Tire::Module我测试了两个环境:测试和开发,它们都因相同的错误而失败。 最佳答案