commit
stringlengths 40
40
| old_file
stringlengths 4
112
| new_file
stringlengths 4
112
| old_contents
stringlengths 0
2.05k
| new_contents
stringlengths 28
3.9k
| subject
stringlengths 17
736
| message
stringlengths 18
4.78k
| lang
stringclasses 1
value | license
stringclasses 13
values | repos
stringlengths 7
111k
|
---|---|---|---|---|---|---|---|---|---|
627ea4fcaa54b2f49f92d60684f73654fee99129 | include/arch/x86/arch/shutdown.h | include/arch/x86/arch/shutdown.h | #ifndef SHUTDOWN_I6F54URD
#define SHUTDOWN_I6F54URD
void ArchShutdown(void);
#endif /* end of include guard: SHUTDOWN_I6F54URD */
| #ifndef SHUTDOWN_I6F54URD
#define SHUTDOWN_I6F54URD
void ArchBreak(void);
void ArchShutdown(void);
#endif /* end of include guard: SHUTDOWN_I6F54URD */
| Add ArchBreak to the header. | Add ArchBreak to the header.
| C | mit | duckinator/dux,duckinator/dux,duckinator/dux |
d86e2fe23f2ee6889c56f3d1426a46be7cb03d33 | SurgSim/Framework/Convert.h | SurgSim/Framework/Convert.h | // This file is a part of the OpenSurgSim project.
// Copyright 2013, SimQuest Solutions Inc.
//
// 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.
#ifndef SURGSIM_FRAMEWORK_CONVERT_H
#define SURGSIM_FRAMEWORK_CONVERT_H
#include "SurgSim/Framework/Log.h"
/// \note HS-2013-dec-23 The gcc and msvc compilers seem to have different requirements when a template class
/// needs to be passed template parameters in a specialization, that extend the original template interface
/// gcc needs the template<> statement before the new template parameters, msvc does not like it at all.
#ifdef _GNUC_
#define SURGSIM_DOUBLE_SPECIALIZATION template<>
#else
#define SURGSIM_DOUBLE_SPECIALIZATION
#endif
namespace SurgSim
{
namespace Serialize
{
/// Logger name for Serialization
const std::string serializeLogger = "Serialization";
};
};
#endif // SURGSIM_FRAMEWORK_CONVERT_H | // This file is a part of the OpenSurgSim project.
// Copyright 2013, SimQuest Solutions Inc.
//
// 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.
#ifndef SURGSIM_FRAMEWORK_CONVERT_H
#define SURGSIM_FRAMEWORK_CONVERT_H
#include "SurgSim/Framework/Log.h"
#include <yaml-cpp/yaml.h>
/// \note HS-2013-dec-23 The gcc and msvc compilers seem to have different requirements when a template class
/// needs to be passed template parameters in a specialization, that extend the original template interface
/// gcc needs the template<> statement before the new template parameters, msvc does not like it at all.
#ifdef _GNUC_
#define SURGSIM_DOUBLE_SPECIALIZATION template<>
#else
#define SURGSIM_DOUBLE_SPECIALIZATION
#endif
namespace SurgSim
{
namespace Serialize
{
/// Logger name for Serialization
const std::string serializeLogger = "Serialization";
};
};
#endif // SURGSIM_FRAMEWORK_CONVERT_H | Add back yaml-cpp/yaml.h header file for convert<> class template. | Add back yaml-cpp/yaml.h header file for convert<> class template.
| C | apache-2.0 | simquest/opensurgsim,simquest/opensurgsim,simquest/opensurgsim,simquest/opensurgsim |
2091920484dc3108704da860d7631dc52292af89 | src/drivers/sensors/gy_30/gy_30.c | src/drivers/sensors/gy_30/gy_30.c | /**
* @file
* @brief
*
* @date 29.03.2017
* @author Alex Kalmuk
*/
#include <unistd.h>
#include <util/log.h>
#include <drivers/i2c/i2c.h>
#include "gy_30.h"
#define GY30_ADDR 0x46
uint16_t gy_30_read_light_level(unsigned char id) {
uint16_t level = 0;
/* It would be better do not hang here but return error code */
while (0 > i2c_bus_read(id, GY30_ADDR, (uint8_t *) &level, 2))
;
/* The actual value in lx is level / 1.2 */
return (((uint32_t) level) * 5) / 6;
}
void gy_30_setup_mode(unsigned char id, uint8_t mode) {
while (0 > i2c_bus_write(id, GY30_ADDR, &mode, 1))
;
/* Documentation says that we need to wait approximately 180 ms here.*/
usleep(180000);
log_debug("%s\n", "gy_30_setup_mode OK!\n");
}
| /**
* @file
* @brief
*
* @date 29.03.2017
* @author Alex Kalmuk
*/
#include <unistd.h>
#include <util/log.h>
#include <drivers/i2c/i2c.h>
#include "gy_30.h"
/* http://www.elechouse.com/elechouse/images/product/Digital%20light%20Sensor/bh1750fvi-e.pdf */
#define GY30_ADDR 0x23
uint16_t gy_30_read_light_level(unsigned char id) {
uint16_t level = 0;
/* It would be better do not hang here but return error code */
while (0 > i2c_bus_read(id, GY30_ADDR, (uint8_t *) &level, 2))
;
/* The actual value in lx is level / 1.2 */
return (((uint32_t) level) * 5) / 6;
}
void gy_30_setup_mode(unsigned char id, uint8_t mode) {
while (0 > i2c_bus_write(id, GY30_ADDR, &mode, 1))
;
/* Documentation says that we need to wait approximately 180 ms here.*/
usleep(180000);
log_debug("%s\n", "gy_30_setup_mode OK!\n");
}
| Fix gy-30 light sensor i2c address | drivers: Fix gy-30 light sensor i2c address
| C | bsd-2-clause | embox/embox,embox/embox,embox/embox,embox/embox,embox/embox,embox/embox |
b3a3beb56fb56e812cd0308eb184c79a0fa97e5a | include/HubFramework.h | include/HubFramework.h | /// Umbrella header for the Hub Framework
#import "HUBManager.h"
#import "HUBComponent.h"
#import "HUBComponentModel.h"
#import "HUBComponentRegistry.h"
#import "HUBComponentFallbackHandler.h"
| /// Umbrella header for the Hub Framework
#import "HUBManager.h"
#import "HUBComponent.h"
#import "HUBComponentModel.h"
#import "HUBComponentModelBuilder.h"
#import "HUBComponentImageData.h"
#import "HUBComponentImageDataBuilder.h"
#import "HUBComponentRegistry.h"
#import "HUBComponentFallbackHandler.h"
| Add new API files to umbrella header | Add new API files to umbrella header | C | apache-2.0 | spotify/HubFramework,spotify/HubFramework,spotify/HubFramework,spotify/HubFramework |
a5843e1928d338a19c91f6c83b8a4ffec8ad60be | src/os/Win32/plugin.h | src/os/Win32/plugin.h | #ifndef PLUGIN_H_
#define PLUGIN_H_
#include "plugin_portable.h"
#include <windows.h>
// TODO use __stdcall
#define EXPORT_CALLING __cdecl
#define EXPORT __declspec(dllexport) EXPORT_CALLING
#include "common.h"
// just defined to make compilation work ; ignored
#define RTLD_DEFAULT NULL
#define RTLD_LOCAL -1
#define RTLD_LAZY -1
static inline void *dlopen(const char *name, int flags)
{
// TODO use LoadLibraryEx() and flags ?
return LoadLibrary(name);
}
static inline void *dlsym(void *handle, const char *name)
{
FARPROC g = GetProcAddress(handle, name);
void *h;
*(FARPROC*)&h = g;
return h;
}
static inline char *dlerror(void)
{
static __thread char buf[1024];
FormatMessage(
FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_MAX_WIDTH_MASK,
NULL,
GetLastError(),
MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT),
(LPTSTR)&buf,
sizeof buf, NULL);
return buf;
}
static inline int dlclose(void *handle)
{
return !FreeLibrary(handle);
}
#endif
| #ifndef PLUGIN_H_
#define PLUGIN_H_
#include "plugin_portable.h"
#include <windows.h>
// TODO use __stdcall
#define EXPORT_CALLING __cdecl
#define EXPORT __declspec(dllexport) EXPORT_CALLING
#include "common.h"
// just defined to make compilation work ; ignored
#define RTLD_DEFAULT NULL
#define RTLD_LOCAL -1
#define RTLD_LAZY -1
#define RTLD_NOW -1
static inline void *dlopen(const char *name, int flags)
{
(void)flags;
// TODO use LoadLibraryEx() and flags ?
return LoadLibrary(name);
}
static inline void *dlsym(void *handle, const char *name)
{
FARPROC g = GetProcAddress(handle, name);
void *h;
*(FARPROC*)&h = g;
return h;
}
static inline char *dlerror(void)
{
static __thread char buf[1024];
FormatMessage(
FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_MAX_WIDTH_MASK,
NULL,
GetLastError(),
MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT),
(LPTSTR)&buf,
sizeof buf, NULL);
return buf;
}
static inline int dlclose(void *handle)
{
return !FreeLibrary(handle);
}
#endif
| Mend Win32 build broken by 8e1c4386 | Mend Win32 build broken by 8e1c4386
| C | mit | kulp/tenyr,kulp/tenyr,kulp/tenyr |
d1f23840550c800d5d382abf3aadf1e92a9e20b1 | src/plugins/crypto/gpg_shutdown.c | src/plugins/crypto/gpg_shutdown.c | /**
* @file
*
* @brief module for shutting down the gpg-agent
*
* @copyright BSD License (see LICENSE.md or https://www.libelektra.org)
*
*/
#include "gpg_shutdown.h"
#include <stdio.h>
#include <stdlib.h>
/**
* @brief shutdown the gpg-agent
* @retval 0 on success.
* @retval -1 on error.
*/
int ELEKTRA_PLUGIN_FUNCTION (gpgQuitAgent) (void)
{
// check if the gpg-connect-agent command is available
int cmdAvailable = system ("command -v gpg-connect-agent");
if (cmdAvailable != 0)
{
// nothing to do here
return 0;
}
// try to gracefully shut down the gpg-agent
int status = system ("gpg-connect-agent --quiet KILLAGENT /bye");
if (status != 0)
{
// use the hammer
int killStatus = system ("/bin/sh -c \"pgrep \'gpg-agent\' | xargs -d \'\\n\' \'kill\'\"");
if (killStatus != 0)
{
return -1;
}
}
return 0;
}
| /**
* @file
*
* @brief module for shutting down the gpg-agent
*
* @copyright BSD License (see LICENSE.md or https://www.libelektra.org)
*
*/
#include "gpg_shutdown.h"
#include <stdio.h>
#include <stdlib.h>
/**
* @brief shutdown the gpg-agent
* @retval 0 on success.
* @retval -1 on error.
*/
int ELEKTRA_PLUGIN_FUNCTION (gpgQuitAgent) (void)
{
// try to gracefully shut down the gpg-agent
int status = system ("gpg-connect-agent --quiet KILLAGENT /bye");
if (status != 0)
{
// use the hammer
int killStatus = system ("/bin/sh -c \"pgrep \'gpg-agent\' | xargs -d \'\\n\' \'kill\'\"");
if (killStatus != 0)
{
return -1;
}
}
return 0;
}
| Revert "tests: check if gpg-agent command exists in shutdown code" | Revert "tests: check if gpg-agent command exists in shutdown code"
This reverts commit 7e0ef169c36712bb49b291a227ebd1b0036e5c75.
| C | bsd-3-clause | petermax2/libelektra,mpranj/libelektra,mpranj/libelektra,mpranj/libelektra,petermax2/libelektra,petermax2/libelektra,mpranj/libelektra,petermax2/libelektra,mpranj/libelektra,ElektraInitiative/libelektra,ElektraInitiative/libelektra,mpranj/libelektra,petermax2/libelektra,ElektraInitiative/libelektra,mpranj/libelektra,ElektraInitiative/libelektra,petermax2/libelektra,ElektraInitiative/libelektra,petermax2/libelektra,petermax2/libelektra,mpranj/libelektra,mpranj/libelektra,ElektraInitiative/libelektra,ElektraInitiative/libelektra,petermax2/libelektra,ElektraInitiative/libelektra,mpranj/libelektra,ElektraInitiative/libelektra,ElektraInitiative/libelektra,mpranj/libelektra,ElektraInitiative/libelektra |
f8093cb1e04a4ae78ed2a358ec2e7b403ae2bcda | src/xenia/base/platform_linux.h | src/xenia/base/platform_linux.h | /**
******************************************************************************
* Xenia : Xbox 360 Emulator Research Project *
******************************************************************************
* Copyright 2015 Ben Vanik. All rights reserved. *
* Released under the BSD license - see LICENSE in the root for more details. *
******************************************************************************
*/
#ifndef XENIA_BASE_PLATFORM_X11_H_
#define XENIA_BASE_PLATFORM_X11_H_
// NOTE: if you're including this file it means you are explicitly depending
// on Linux headers. Including this file outside of linux platform specific
// source code will break portability
#include "xenia/base/platform.h"
// Xlib is used only for GLX interaction, the window management and input
// events are done with gtk/gdk
#include <X11/Xlib.h>
#include <X11/Xutil.h>
#include <X11/Xos.h>
//Used for window management. Gtk is for GUI and wigets, gdk is for lower
//level events like key presses, mouse events, etc
#include <gtk/gtk.h>
#include <gdk/gdk.h>
#endif // XENIA_BASE_PLATFORM_X11_H_
| Add gtk and x11 headers to linux specific platform header | Add gtk and x11 headers to linux specific platform header
| C | bsd-3-clause | sephiroth99/xenia,sephiroth99/xenia,sephiroth99/xenia |
|
e5be6c05567bab2c6d13fc3e8b3cb869a387327c | hal1.h | hal1.h | // Configurable constants
int const MAIN_MOTOR_PWM_TOP = 255;
int const MAIN_MOTOR_BRAKE_SPEED = 120;
int const MAIN_MOTOR_MIN_SPEED = 150;
int const MAIN_MOTOR_MED_SPEED = 254;
int const MAIN_MOTOR_MAX_SPEED = 255;
int const MAGNET_OPEN_WAIT = 5; // 10ths of a second
void init(void);
| #ifndef HAL1_H
#define HAL1_H
// Configurable constants
int const MAIN_MOTOR_PWM_TOP = 255;
int const MAIN_MOTOR_BRAKE_SPEED = 120;
int const MAIN_MOTOR_MIN_SPEED = 150;
int const MAIN_MOTOR_MED_SPEED = 254;
int const MAIN_MOTOR_MAX_SPEED = 255;
int const MAGNET_OPEN_WAIT = 5; // 10ths of a second
void init(void);
void main_motor_stop();
void main_motor_cw_open(uint8_t speed);
void main_motor_ccw_close(uint8_t speed);
void set_main_motor_speed(int speed);
int get_main_motor_speed();
void aux_motor_stop();
void aux_motor_cw_close();
void aux_motor_ccw_open();
void magnet_off();
void magnet_on();
bool door_nearly_open();
bool door_fully_open();
bool door_fully_closed();
bool sensor_proximity();
bool button_openclose();
bool button_stop();
bool main_encoder();
bool aux_outdoor_limit();
bool aux_indoor_limit();
bool door_nearly_closed();
bool aux_encoder();
#endif
| Add function prototypes and ifndef wrapper | Add function prototypes and ifndef wrapper
| C | unlicense | plzz/ovisysteemi,plzz/ovisysteemi |
00d1d12be797e41c5f89e905f438f85c1003d0db | objc/MX3Snapshot.h | objc/MX3Snapshot.h | #import <Foundation/Foundation.h>
#ifdef __cplusplus
#include <memory>
#include <mx3/mx3.hpp>
#endif
@interface MX3Snapshot : NSObject
// adding this here allows you to include this file from non-objc++ files
// since it is using c++ types
#ifdef __cplusplus
- (instancetype)initWithSnapshot:(std::unique_ptr<mx3::SqlSnapshot>)snapshot;
#endif
- (NSString *) rowAtIndex:(NSUInteger)index;
- (NSUInteger) count;
- (void) dealloc;
@end
| #import <Foundation/Foundation.h>
#ifdef __cplusplus
#include <memory>
#include <mx3/mx3.hpp>
#endif
@interface MX3Snapshot : NSObject
// adding this here allows you to include this file from non-objc++ files
// since it is using c++ types
#ifdef __cplusplus
- (instancetype)initWithSnapshot:(std::unique_ptr<mx3::SqlSnapshot>)snapshot;
#endif
- (NSString *) rowAtIndex:(NSUInteger)index;
- (NSUInteger) count;
@end
| Remove dealloc from header as it is declared in NSObject | Remove dealloc from header as it is declared in NSObject | C | mit | wesselj1/mx3playground,wesselj1/mx3playground,libmx3/mx3,duydb2/mx3,libmx3/mx3,duydb2/mx3,duydb2/mx3,libmx3/mx3,wesselj1/mx3playground |
b843d479c9f75400a57e23b63f19050359c6fb62 | menpo/feature/cpp/WindowFeature.h | menpo/feature/cpp/WindowFeature.h | #pragma once
#if defined(_MSC_VER)
#define round(x) (x >= 0 ? (x + 0.5) : (x - 0.5))
#endif
class WindowFeature {
public:
WindowFeature();
virtual ~WindowFeature();
virtual void apply(double *windowImage, double *descriptorVector) = 0;
unsigned int descriptorLengthPerWindow;
};
| #pragma once
#if _MSC_VER < 1900
#define round(x) (x >= 0 ? (x + 0.5) : (x - 0.5))
#endif
class WindowFeature {
public:
WindowFeature();
virtual ~WindowFeature();
virtual void apply(double *windowImage, double *descriptorVector) = 0;
unsigned int descriptorLengthPerWindow;
};
| Fix a build error (Python 3.5) | Fix a build error (Python 3.5)
Thanks to [email protected] for supplying the fix to this bug.
| C | bsd-3-clause | grigorisg9gr/menpo,patricksnape/menpo,menpo/menpo,grigorisg9gr/menpo,menpo/menpo,patricksnape/menpo,grigorisg9gr/menpo,yuxiang-zhou/menpo,yuxiang-zhou/menpo,menpo/menpo,patricksnape/menpo,yuxiang-zhou/menpo |
830bb7a42d2804830a57dfe8bc469fac1317c46a | port/riot/abort.c | port/riot/abort.c | #include "port/oc_assert.h"
// TODO:
void
abort_impl()
{
}
| #include "port/oc_assert.h"
// TODO:
void
abort_impl(void)
{
}
| Declare void parameter for RIOT | Declare void parameter for RIOT
This is partially reverting:
"Bring RIOT OS port up-to-date with RIOT OS upstream"
This reverts commit 0ed0f4425cffdd84317998efa8fe19eef561c2fa.
Without this change RIOT will fail to build:
port/riot/abort.c:5:1:\
error: old-style function definition [-Werror=old-style-definition]
Change-Id: Ie6b838452412c844503a004656b7aac7b20e5d55
Signed-off-by: Philippe Coval <[email protected]>
Reviewed-on: https://gerrit.iotivity.org/gerrit/16497
Reviewed-by: Kishen Maloor <[email protected]>
Tested-by: Kishen Maloor <[email protected]>
| C | apache-2.0 | iotivity/iotivity-constrained,iotivity/iotivity-constrained,iotivity/iotivity-constrained,iotivity/iotivity-constrained |
401ddc294918febc37927b3017ca1ae2e426bd99 | mudlib/mud/home/Test/sys/auditd.c | mudlib/mud/home/Test/sys/auditd.c | /*
* This file is part of Kotaka, a mud library for DGD
* http://github.com/shentino/kotaka
*
* Copyright (C) 2013 Raymond Jennings
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 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 Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
| Add stub for auditing in the tester | Add stub for auditing in the tester
| C | agpl-3.0 | shentino/kotaka,shentino/kotaka,shentino/kotaka |
|
67ff9a4499efc002851130a98c3960a2945be079 | src/soft/float/trunctfdf2.c | src/soft/float/trunctfdf2.c | #include "../../math/reinterpret.h"
#include <stdint.h>
static uint64_t magnitude_(uint64_t high, uint64_t low)
{
if (high > 0x7FFF000000000000 || (high == 0x7FFF000000000000 && low))
return high;
if (high >= 0x43FF000000000000)
return 0x7FF0000000000000;
if (high >= 0x3C01000000000000)
return ((high - 0x3C00000000000000) << 4 | low >> 60) + (((low >> 59 & 1) | low << 4) > 0x8000000000000000);
if (high >= 0x3BCC000000000000) {
double significand = reinterpret(double, (0x8000000000000000 | high << 15) >> 11 | low >> 60 | !!(low << 4));
double coeff = reinterpret(double, ((high >> 48) - 0x3802) << 52);
return reinterpret(uint64_t, significand * coeff);
}
return 0;
}
double __trunctfdf2(long double x)
{
unsigned __int128 i = reinterpret(unsigned __int128, x);
uint64_t high = i >> 64;
return reinterpret(double, magnitude_(high & INT64_MAX, i) | (high & 0x8000000000000000));
}
| Implement long double -> double | Implement long double -> double
| C | mit | jdh8/metallic,jdh8/metallic,jdh8/metallic,jdh8/metallic,jdh8/metallic |
|
b0f17a3780c5cb70b4bd8fa4633e60acd6ff98f5 | src/vast/option.h | src/vast/option.h | #ifndef VAST_OPTION_HPP
#define VAST_OPTION_HPP
#include <cppa/option.hpp>
namespace vast {
/// An optional value of `T` with similar semantics as `std::optional`.
template <typename T>
class option : public cppa::option<T>
{
typedef cppa::option<T> super;
public:
#ifdef VAST_HAVE_INHERTING_CONSTRUCTORS
using super::option;
#else
option() = default;
option(T x)
: super(std::move(x))
{
}
template <typename T0, typename T1, typename... Ts>
option(T0&& x0, T1&& x1, Ts&&... args)
: super(std::forward<T0>(x0),
std::forward<T1>(x1),
std::forward<Ts>(args)...)
{
}
option(const option&) = default;
option(option&&) = default;
option& operator=(option const&) = default;
option& operator=(option&&) = default;
#endif
T* operator->() const
{
CPPA_REQUIRE(valid());
return &cppa::option<T>::get();
}
};
} // namespace vast
#endif
| #ifndef VAST_OPTION_HPP
#define VAST_OPTION_HPP
#include <cppa/option.hpp>
namespace vast {
/// An optional value of `T` with similar semantics as `std::optional`.
template <typename T>
class option : public cppa::option<T>
{
typedef cppa::option<T> super;
public:
#ifdef VAST_HAVE_INHERTING_CONSTRUCTORS
using super::option;
#else
option() = default;
option(T x)
: super(std::move(x))
{
}
template <typename T0, typename T1, typename... Ts>
option(T0&& x0, T1&& x1, Ts&&... args)
: super(std::forward<T0>(x0),
std::forward<T1>(x1),
std::forward<Ts>(args)...)
{
}
option(const option&) = default;
option(option&&) = default;
option& operator=(option const&) = default;
option& operator=(option&&) = default;
#endif
constexpr T const* operator->() const
{
return &cppa::option<T>::get();
}
};
} // namespace vast
#endif
| Make operator-> constexpr and return a T const*. | Make operator-> constexpr and return a T const*.
| C | bsd-3-clause | mavam/vast,pmos69/vast,vast-io/vast,vast-io/vast,mavam/vast,mavam/vast,pmos69/vast,pmos69/vast,vast-io/vast,vast-io/vast,pmos69/vast,vast-io/vast,mavam/vast |
dde3ee5113fd0ae40cfb6788e4bd0a2a8c60eb72 | t/version_t.c | t/version_t.c | #include "MMDB.h"
#include "tap.h"
#include <sys/stat.h>
#include <string.h>
#if HAVE_CONFIG_H
# include <config.h>
#endif
int main(void)
{
const char *version = MMDB_lib_version();
ok(version != NULL, "MMDB_lib_version exists");
ok(strcmp(version, PACKAGE_VERSION) == 0, "version is " PACKAGE_VERSION);
done_testing();
}
| #include "MMDB.h"
#include "tap.h"
#include <sys/stat.h>
#include <string.h>
#if HAVE_CONFIG_H
# include <config.h>
#endif
int main(void)
{
const char *version = MMDB_lib_version();
ok(version != NULL, "MMDB_lib_version exists");
if ( version )
ok(strcmp(version, PACKAGE_VERSION) == 0, "version is " PACKAGE_VERSION);
done_testing();
}
| Check version string only if MMDB_lib_version != NULL | Check version string only if MMDB_lib_version != NULL
| C | apache-2.0 | maxmind/libmaxminddb,maxmind/libmaxminddb,maxmind/libmaxminddb |
e412c7c88f74bd962509e1c24b1611b909b58b99 | MdePkg/Include/Guid/HardwareErrorVariable.h | MdePkg/Include/Guid/HardwareErrorVariable.h | /** @file
GUID for hardware error record variables.
Copyright (c) 2007 - 2009, Intel Corporation
All rights reserved. This program and the accompanying materials
are licensed and made available under the terms and conditions of the BSD License
which accompanies this distribution. The full text of the license may be found at
http://opensource.org/licenses/bsd-license.php
THE PROGRAM IS DISTRIBUTED UNDER THE BSD LICENSE ON AN "AS IS" BASIS,
WITHOUT WARRANTIES OR REPRESENTATIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED.
Module Name: HardwareErrorVariable.h
@par Revision Reference:
GUID defined in UEFI 2.1.
**/
#ifndef _HARDWARE_ERROR_VARIABLE_GUID_H_
#define _HARDWARE_ERROR_VARIABLE_GUID_H_
#define EFI_HARDWARE_ERROR_VARIABLE \
{ \
0x414E6BDD, 0xE47B, 0x47cc, {0xB2, 0x44, 0xBB, 0x61, 0x02, 0x0C, 0xF5, 0x16} \
}
extern EFI_GUID gEfiHardwareErrorVariableGuid;
#endif
| /** @file
GUID for hardware error record variables.
Copyright (c) 2007 - 2009, Intel Corporation
All rights reserved. This program and the accompanying materials
are licensed and made available under the terms and conditions of the BSD License
which accompanies this distribution. The full text of the license may be found at
http://opensource.org/licenses/bsd-license.php
THE PROGRAM IS DISTRIBUTED UNDER THE BSD LICENSE ON AN "AS IS" BASIS,
WITHOUT WARRANTIES OR REPRESENTATIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED.
@par Revision Reference:
GUID defined in UEFI 2.1.
**/
#ifndef _HARDWARE_ERROR_VARIABLE_GUID_H_
#define _HARDWARE_ERROR_VARIABLE_GUID_H_
#define EFI_HARDWARE_ERROR_VARIABLE \
{ \
0x414E6BDD, 0xE47B, 0x47cc, {0xB2, 0x44, 0xBB, 0x61, 0x02, 0x0C, 0xF5, 0x16} \
}
extern EFI_GUID gEfiHardwareErrorVariableGuid;
#endif
| Remove "Module Name:" from include file headers. | Remove "Module Name:" from include file headers.
git-svn-id: 5648d1bec6962b0a6d1d1b40eba8cf5cdb62da3d@8895 6f19259b-4bc3-4df7-8a09-765794883524
| C | bsd-2-clause | MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2,MattDevo/edk2 |
27737aa3a9f65012b3656b71e0ff230a4811da4d | include/net/dcbevent.h | include/net/dcbevent.h | /*
* Copyright (c) 2010, Intel Corporation.
*
* This program is free software; you can redistribute it and/or modify it
* under the terms and conditions of the GNU General Public License,
* version 2, as published by the Free Software Foundation.
*
* This program is distributed in the hope 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.
*
* Author: John Fastabend <[email protected]>
*/
#ifndef _DCB_EVENT_H
#define _DCB_EVENT_H
enum dcbevent_notif_type {
DCB_APP_EVENT = 1,
};
extern int register_dcbevent_notifier(struct notifier_block *nb);
extern int unregister_dcbevent_notifier(struct notifier_block *nb);
extern int call_dcbevent_notifiers(unsigned long val, void *v);
#endif
| /*
* Copyright (c) 2010, Intel Corporation.
*
* This program is free software; you can redistribute it and/or modify it
* under the terms and conditions of the GNU General Public License,
* version 2, as published by the Free Software Foundation.
*
* This program is distributed in the hope 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.
*
* Author: John Fastabend <[email protected]>
*/
#ifndef _DCB_EVENT_H
#define _DCB_EVENT_H
enum dcbevent_notif_type {
DCB_APP_EVENT = 1,
};
#ifdef CONFIG_DCB
extern int register_dcbevent_notifier(struct notifier_block *nb);
extern int unregister_dcbevent_notifier(struct notifier_block *nb);
extern int call_dcbevent_notifiers(unsigned long val, void *v);
#else
static inline int
register_dcbevent_notifier(struct notifier_block *nb)
{
return 0;
}
static inline int unregister_dcbevent_notifier(struct notifier_block *nb)
{
return 0;
}
static inline int call_dcbevent_notifiers(unsigned long val, void *v)
{
return 0;
}
#endif /* CONFIG_DCB */
#endif
| Add stub routines for !CONFIG_DCB | dcb: Add stub routines for !CONFIG_DCB
To avoid ifdefs in the other code that supports DCB notifiers
add stub routines. This method seems popular in other net code
for example 8021Q.
Signed-off-by: John Fastabend <[email protected]>
Signed-off-by: David S. Miller <[email protected]>
| C | mit | KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs |
de73b8bcb0ae34f913711f31b3d4d4ed3c826cfa | src/core/common.h | src/core/common.h | #ifndef OSSL_CORE_COMMON_H_INCLUDE
#define OSSL_CORE_COMMON_H_INCLUDE
#include <nan.h>
#include "logger.h"
#include "scoped_ssl.h"
#include "excep.h"
#include "key_exp.h"
#include "digest.h"
#include "bn.h"
#include <openssl/bn.h>
#endif // OSSL_CORE_COMMON_H_INCLUDE
| #ifndef OSSL_CORE_COMMON_H_INCLUDE
#define OSSL_CORE_COMMON_H_INCLUDE
#ifdef _WIN32
#define __WINCRYPT_H__
#endif
#include <nan.h>
#include "logger.h"
#include "scoped_ssl.h"
#include "excep.h"
#include "key_exp.h"
#include "digest.h"
#include "bn.h"
#include <openssl/bn.h>
#endif // OSSL_CORE_COMMON_H_INCLUDE
| Disable __WINCRYPT_H__ headers for Windows | Disable __WINCRYPT_H__ headers for Windows
| C | mit | PeculiarVentures/node-webcrypto-ossl,PeculiarVentures/node-webcrypto-ossl,PeculiarVentures/node-webcrypto-ossl,PeculiarVentures/node-webcrypto-ossl,PeculiarVentures/node-webcrypto-ossl,PeculiarVentures/node-webcrypto-ossl |
c5f13a2a9c451f0e50854db2305158b287a68b72 | util/getarg.h | util/getarg.h | /***************************************************************************
getarg.h - Support routines for the giflib utilities
**************************************************************************/
#ifndef _GETARG_H
#define _GETARG_H
#include <stdbool.h>
#define VERSION_COOKIE " Version %d.%d, "
/***************************************************************************
* Error numbers as returned by GAGetArg routine:
**************************************************************************/
#define CMD_ERR_NotAnOpt 1 /* None Option found. */
#define CMD_ERR_NoSuchOpt 2 /* Undefined Option Found. */
#define CMD_ERR_WildEmpty 3 /* Empty input for !*? seq. */
#define CMD_ERR_NumRead 4 /* Failed on reading number. */
#define CMD_ERR_AllSatis 5 /* Fail to satisfy (must-'!') option. */
bool GAGetArgs(int argc, char **argv, char *CtrlStr, ...);
void GAPrintErrMsg(int Error);
void GAPrintHowTo(char *CtrlStr);
/******************************************************************************
* O.K., here are the routines from QPRINTF.C.
******************************************************************************/
extern bool GifNoisyPrint;
extern void GifQprintf(char *Format, ...);
/******************************************************************************
* O.K., here are the routines from GIF_ERR.C.
******************************************************************************/
extern void PrintGifError(void);
extern int GifLastError(void);
/* These used to live in the library header */
#define GIF_MESSAGE(Msg) fprintf(stderr, "\n%s: %s\n", PROGRAM_NAME, Msg)
#define GIF_EXIT(Msg) { GIF_MESSAGE(Msg); exit(-3); }
#endif /* _GETARG_H */
/* end */
| /***************************************************************************
getarg.h - Support routines for the giflib utilities
**************************************************************************/
#ifndef _GETARG_H
#define _GETARG_H
#include <stdbool.h>
#define VERSION_COOKIE " Version %d.%d, "
/***************************************************************************
Error numbers as returned by GAGetArg routine:
***************************************************************************/
#define CMD_ERR_NotAnOpt 1 /* None Option found. */
#define CMD_ERR_NoSuchOpt 2 /* Undefined Option Found. */
#define CMD_ERR_WildEmpty 3 /* Empty input for !*? seq. */
#define CMD_ERR_NumRead 4 /* Failed on reading number. */
#define CMD_ERR_AllSatis 5 /* Fail to satisfy (must-'!') option. */
bool GAGetArgs(int argc, char **argv, char *CtrlStr, ...);
void GAPrintErrMsg(int Error);
void GAPrintHowTo(char *CtrlStr);
/******************************************************************************
From qprintf.c
******************************************************************************/
extern bool GifNoisyPrint;
extern void GifQprintf(char *Format, ...);
extern void PrintGifError(void);
/* These used to live in the library header */
#define GIF_MESSAGE(Msg) fprintf(stderr, "\n%s: %s\n", PROGRAM_NAME, Msg)
#define GIF_EXIT(Msg) { GIF_MESSAGE(Msg); exit(-3); }
#endif /* _GETARG_H */
/* end */
| Fix a header that had failed to track dome changed locations. | Fix a header that had failed to track dome changed locations.
| C | mit | rcancro/giflib,cention-sany/libgif,Distrotech/giflib,Distrotech/giflib,rcancro/giflib,cention-sany/libgif,rcancro/giflib |
c5142c547ffbe1cbbe5aa83e56f9c67d63c96606 | lib/Target/R600/AMDGPUAsmPrinter.h | lib/Target/R600/AMDGPUAsmPrinter.h | //===-- AMDGPUAsmPrinter.h - Print AMDGPU assembly code -------------------===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
//
/// \file
/// \brief AMDGPU Assembly printer class.
//
//===----------------------------------------------------------------------===//
#ifndef AMDGPU_ASMPRINTER_H
#define AMDGPU_ASMPRINTER_H
#include "llvm/CodeGen/AsmPrinter.h"
#include <string>
#include <vector>
namespace llvm {
class AMDGPUAsmPrinter : public AsmPrinter {
public:
explicit AMDGPUAsmPrinter(TargetMachine &TM, MCStreamer &Streamer);
virtual bool runOnMachineFunction(MachineFunction &MF);
virtual const char *getPassName() const {
return "AMDGPU Assembly Printer";
}
/// \brief Emit register usage information so that the GPU driver
/// can correctly setup the GPU state.
void EmitProgramInfoR600(MachineFunction &MF);
void EmitProgramInfoSI(MachineFunction &MF);
/// Implemented in AMDGPUMCInstLower.cpp
virtual void EmitInstruction(const MachineInstr *MI);
protected:
bool DisasmEnabled;
std::vector<std::string> DisasmLines, HexLines;
size_t DisasmLineMaxLen;
};
} // End anonymous llvm
#endif //AMDGPU_ASMPRINTER_H
| //===-- AMDGPUAsmPrinter.h - Print AMDGPU assembly code ---------*- C++ -*-===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
//
/// \file
/// \brief AMDGPU Assembly printer class.
//
//===----------------------------------------------------------------------===//
#ifndef AMDGPU_ASMPRINTER_H
#define AMDGPU_ASMPRINTER_H
#include "llvm/CodeGen/AsmPrinter.h"
#include <string>
#include <vector>
namespace llvm {
class AMDGPUAsmPrinter : public AsmPrinter {
public:
explicit AMDGPUAsmPrinter(TargetMachine &TM, MCStreamer &Streamer);
virtual bool runOnMachineFunction(MachineFunction &MF);
virtual const char *getPassName() const {
return "AMDGPU Assembly Printer";
}
/// \brief Emit register usage information so that the GPU driver
/// can correctly setup the GPU state.
void EmitProgramInfoR600(MachineFunction &MF);
void EmitProgramInfoSI(MachineFunction &MF);
/// Implemented in AMDGPUMCInstLower.cpp
virtual void EmitInstruction(const MachineInstr *MI);
protected:
bool DisasmEnabled;
std::vector<std::string> DisasmLines, HexLines;
size_t DisasmLineMaxLen;
};
} // End anonymous llvm
#endif //AMDGPU_ASMPRINTER_H
| Fix missing C++ mode comment | Fix missing C++ mode comment
git-svn-id: 0ff597fd157e6f4fc38580e8d64ab130330d2411@194339 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | GPUOpen-Drivers/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,llvm-mirror/llvm,chubbymaggie/asap,apple/swift-llvm,llvm-mirror/llvm,chubbymaggie/asap,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,chubbymaggie/asap,apple/swift-llvm,apple/swift-llvm,chubbymaggie/asap,chubbymaggie/asap,llvm-mirror/llvm,llvm-mirror/llvm,llvm-mirror/llvm,dslab-epfl/asap,dslab-epfl/asap,llvm-mirror/llvm,apple/swift-llvm,llvm-mirror/llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,llvm-mirror/llvm,apple/swift-llvm,dslab-epfl/asap,apple/swift-llvm,dslab-epfl/asap,dslab-epfl/asap,GPUOpen-Drivers/llvm,chubbymaggie/asap,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,dslab-epfl/asap,dslab-epfl/asap |
9089cca24db36608825598e1cd32451a8e20bb2f | src/libaacs/aacs.h | src/libaacs/aacs.h | /*
* libaacs by Doom9 ppl 2009, 2010
*/
#ifndef AACS_H_
#define AACS_H_
#include <stdint.h>
#include "../file/configfile.h"
#define LIBAACS_VERSION "1.0"
typedef struct aacs AACS;
struct aacs {
uint8_t pk[16], mk[16], vuk[16], vid[16];
uint8_t *uks; /* unit key array (size = 16 * num_uks, each key is
* at 16-byte offset)
*/
uint16_t num_uks; /* number of unit keys */
uint8_t iv[16];
CONFIGFILE *kf;
};
AACS *aacs_open(const char *path, const char *keyfile_path);
void aacs_close(AACS *aacs);
int aacs_decrypt_unit(AACS *aacs, uint8_t *buf, uint32_t len, uint64_t offset);
uint8_t *aacs_get_vid(AACS *aacs);
#endif /* AACS_H_ */
| /*
* libaacs by Doom9 ppl 2009, 2010
*/
#ifndef AACS_H_
#define AACS_H_
#include "../file/configfile.h"
#include <stdint.h>
#define LIBAACS_VERSION "1.0"
typedef struct aacs AACS;
struct aacs {
uint8_t pk[16], mk[16], vuk[16], vid[16];
uint8_t *uks; /* unit key array (size = 16 * num_uks, each key is
* at 16-byte offset)
*/
uint16_t num_uks; /* number of unit keys */
uint8_t iv[16];
CONFIGFILE *kf;
};
AACS *aacs_open(const char *path, const char *keyfile_path);
void aacs_close(AACS *aacs);
int aacs_decrypt_unit(AACS *aacs, uint8_t *buf, uint32_t len, uint64_t offset);
uint8_t *aacs_get_vid(AACS *aacs);
#endif /* AACS_H_ */
| Move inclusion of internal headers before system headers | Move inclusion of internal headers before system headers
| C | lgpl-2.1 | rraptorr/libaacs,zxlooong/libaacs,zxlooong/libaacs,ShiftMediaProject/libaacs,mwgoldsmith/aacs,rraptorr/libaacs,ShiftMediaProject/libaacs,mwgoldsmith/aacs |
54eeba75d3914e457204a159a7888fc19e50a6dc | test/CodeGen/may-alias.c | test/CodeGen/may-alias.c | // RUN: %clang_cc1 -Werror -triple i386-unknown-unknown -emit-llvm -O1 -disable-llvm-optzns -o %t %s
// RUN: FileCheck < %t %s
// Types with the may_alias attribute should be considered equivalent
// to char for aliasing.
typedef int __attribute__((may_alias)) aliasing_int;
void test0(aliasing_int *ai, int *i)
{
*ai = 0;
*i = 1;
}
// CHECK: store i32 0, i32* %tmp, !tbaa !1
// CHECK: store i32 1, i32* %tmp1, !tbaa !3
// CHECK: !0 = metadata !{metadata !"any pointer", metadata !1}
// CHECK: !1 = metadata !{metadata !"omnipotent char", metadata !2}
// CHECK: !2 = metadata !{metadata !"Simple C/C++ TBAA", null}
// CHECK: !3 = metadata !{metadata !"int", metadata !1}
| // RUN: %clang_cc1 -Werror -triple i386-unknown-unknown -emit-llvm -O1 -disable-llvm-optzns -o %t %s
// RUN: FileCheck < %t %s
// Types with the may_alias attribute should be considered equivalent
// to char for aliasing.
typedef int __attribute__((may_alias)) aliasing_int;
void test0(aliasing_int *ai, int *i)
{
*ai = 0;
*i = 1;
}
// CHECK: store i32 0, i32* %{{.*}}, !tbaa !1
// CHECK: store i32 1, i32* %{{.*}}, !tbaa !3
// CHECK: !0 = metadata !{metadata !"any pointer", metadata !1}
// CHECK: !1 = metadata !{metadata !"omnipotent char", metadata !2}
// CHECK: !2 = metadata !{metadata !"Simple C/C++ TBAA", null}
// CHECK: !3 = metadata !{metadata !"int", metadata !1}
| Generalize this test to work without instruction names. | Generalize this test to work without instruction names.
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@121742 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang |
b2c0eb6364d545a0083ec3d1cb55ea04fa6c6e2a | src/synchronizer.h | src/synchronizer.h | //
// synchronizer.h
// P2PSP
//
// This code is distributed under the GNU General Public License (see
// THE_GENERAL_GNU_PUBLIC_LICENSE.txt for extending this information).
// Copyright (C) 2016, the P2PSP team.
// http://www.p2psp.org
//
#include <boost/format.hpp>
#include <boost/program_options/parsers.hpp>
#include <boost/program_options/variables_map.hpp>
#include "../lib/p2psp/src/util/trace.h"
#include <arpa/inet.h>
#include <boost/array.hpp>
#include <boost/asio.hpp>
#include <boost/date_time/posix_time/posix_time.hpp>
#include <boost/thread/thread.hpp>
#include <ctime>
#include <fstream>
#include <string>
#include <tuple>
#include <vector>
namespace p2psp {
class Synchronizer {
public:
Synchronizer();
~Synchronizer();
const std::vector<std::string>* peer_list;
void Run(int argc, const char* argv[]) throw(boost::system::system_error); //Run the argument parser
void PlayChunk(); //Play the chunk to the player
void Synchronize(); //To get the offset from the first peer and synchronize the lists
void ConnectToPeers(); //Connect the synchronizer with various peers
};
}
| //
// synchronizer.h
// P2PSP
//
// This code is distributed under the GNU General Public License (see
// THE_GENERAL_GNU_PUBLIC_LICENSE.txt for extending this information).
// Copyright (C) 2016, the P2PSP team.
// http://www.p2psp.org
//
#include <boost/format.hpp>
#include <boost/program_options/parsers.hpp>
#include <boost/program_options/variables_map.hpp>
#include "../lib/p2psp/src/util/trace.h"
#include <arpa/inet.h>
#include <boost/array.hpp>
#include <boost/asio.hpp>
#include <boost/date_time/posix_time/posix_time.hpp>
#include <boost/thread/thread.hpp>
#include <ctime>
#include <fstream>
#include <string>
#include <tuple>
#include <vector>
namespace p2psp {
class Synchronizer {
public:
Synchronizer();
~Synchronizer();
const std::vector<std::string>* peer_list;
boost::thread_group thread_group_;
void Run(int argc, const char* argv[]) throw(boost::system::system_error); //Run the argument parser
void PlayChunk(); //Play the chunk to the player
void Synchronize(); //To get the offset from the first peer and synchronize the lists
void ConnectToPeers(std::string); //Connect the synchronizer with various peers
};
}
| Add thread group to manage threads | Add thread group to manage threads
| C | mit | hehaichi/p2psp-experiments,hehaichi/p2psp-experiments,hehaichi/p2psp-experiments |
91f66b016cb667a05e5e7803a61c6ff1cc7fc8c2 | include/dsnutil/singleton.h | include/dsnutil/singleton.h | /// \file
/// \brief Singleton design pattern
///
/// \author Peter 'png' Hille <[email protected]>
#ifndef SINGLETON_HH
#define SINGLETON_HH 1
#include <dsnutil/compiler_features.h>
namespace dsn {
/// \brief Template for singleton classes
///
/// This template can be used to implement the "singleton" design pattern
/// on any class.
template <class Derived>
class Singleton {
public:
/// \brief Access singleton instance
///
/// Returns a reference to the instance of this singleton.
static dsnutil_cpp_DEPRECATED Derived& getInstance()
{
return instanceRef();
}
static Derived& instanceRef()
{
static Derived instance;
return instance;
}
static Derived* instancePtr()
{
return &instanceRef();
}
protected:
/// \brief Default constructor
///
/// \note This ctor is protected so that derived classes can implement
/// their own logics for object initialization while still maintaining
/// the impossibility of direct ctor calls!
Singleton() {}
private:
/// \brief Copy constructor
///
/// \note This ctor is private to prevent multiple instances of the same
/// singleton from being created through object assignments!
Singleton(const Singleton&) {}
};
}
#endif // !SINGLETON_HH
| /// \file
/// \brief Singleton design pattern
///
/// \author Peter 'png' Hille <[email protected]>
#ifndef SINGLETON_HH
#define SINGLETON_HH 1
#include <dsnutil/compiler_features.h>
namespace dsn {
/// \brief Template for singleton classes
///
/// This template can be used to implement the "singleton" design pattern
/// on any class.
template <class Derived>
class Singleton {
public:
/// \brief Access singleton instance
///
/// \return Reference to the instance of this singleton.
static dsnutil_cpp_DEPRECATED Derived& getInstance()
{
return instanceRef();
}
/// \brief Access singleton instance (by reference)
///
/// \return Reference to the initialized singleton instance
static Derived& instanceRef()
{
static Derived instance;
return instance;
}
/// \brief Access singleton instance (by pointer)
///
/// \return Pointer to the initialized singleton instance
static Derived* instancePtr()
{
return &instanceRef();
}
protected:
/// \brief Default constructor
///
/// \note This ctor is protected so that derived classes can implement
/// their own logics for object initialization while still maintaining
/// the impossibility of direct ctor calls!
Singleton() {}
private:
/// \brief Copy constructor
///
/// \note This ctor is private to prevent multiple instances of the same
/// singleton from being created through object assignments!
Singleton(const Singleton&) {}
};
}
#endif // !SINGLETON_HH
| Add Doxygen comments for new Singleton methods | Add Doxygen comments for new Singleton methods
| C | bsd-3-clause | png85/dsnutil_cpp |
aeccf8f850023bbf8f87739d02eb10d4b6ec406a | c/homeworks/hw2/5.c | c/homeworks/hw2/5.c | /*
* The decimal number, 585 = 1001001001 (binary), is palindromic in both bases.
* Find the sum of all numbers, less than 5 000 000, which are palindromic in
* base 10 and base 2. (Please note that the palindromic number, in either base,
* may not include leading zeros.)
*/
#include <stdio.h>
#include <string.h>
#define MAXIM 5000000
char * strrev(char number[]){
int length, index=0, tmp;
length = strlen(number)-1;
while(index<length) {
tmp = number[index];
number[index] = number[length];
number[length] = tmp;
index++; length--;
}
return number;
}
int *to_base(int base, char repr[], int number) {
int remainder, length;
static char new_number[] = "";
new_number[0] = '\0';
while(number) {
remainder = number % base;
number /= base;
length = strlen(new_number);
new_number[length] = repr[remainder];
new_number[length+1] = '\0';
}
return atoi(strrev(new_number));
}
int check_palindrom(int number) {
return 1;
}
int generate_palindroms() {
int number, sum=0;
for(number=11; number<=MAXIM; number++){
if (check_palindrom(number) && check_palindrom(to_base(2, "01", number))) {
sum += number;
}
}
return sum;
}
int main() {
generate_palindroms();
return 0;
}
| Transform from base 10 in whatever base you want | Transform from base 10 in whatever base you want
| C | apache-2.0 | vtemian/university_projects,vtemian/university_projects,vtemian/university_projects |
|
8ce936c7be896a867a44ce4a4d39b44f4dc7c9b5 | UsbDk/Public.h | UsbDk/Public.h | /*
* UsbDk filter/redirector driver
*
* Copyright (c) 2013 Red Hat, Inc.
*
* Authors:
* Dmitry Fleytman <[email protected]>
*
*/
#pragma once
#include "UsbDkData.h"
#include "UsbDkNames.h"
#define USBDK_DEVICE_TYPE 50000
// UsbDk Control Device IOCTLs
#define IOCTL_USBDK_COUNT_DEVICES \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x851, METHOD_BUFFERED, FILE_READ_ACCESS ))
#define IOCTL_USBDK_ENUM_DEVICES \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x852, METHOD_BUFFERED, FILE_READ_ACCESS ))
#define IOCTL_USBDK_ADD_REDIRECT \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x854, METHOD_BUFFERED, FILE_READ_ACCESS ))
#define IOCTL_USBDK_REMOVE_REDIRECT \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x855, METHOD_BUFFERED, FILE_READ_ACCESS ))
| /*
* UsbDk filter/redirector driver
*
* Copyright (c) 2013 Red Hat, Inc.
*
* Authors:
* Dmitry Fleytman <[email protected]>
*
*/
#pragma once
#include "UsbDkData.h"
#include "UsbDkNames.h"
#define USBDK_DEVICE_TYPE 50000
// UsbDk Control Device IOCTLs
#define IOCTL_USBDK_COUNT_DEVICES \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x851, METHOD_BUFFERED, FILE_READ_ACCESS ))
#define IOCTL_USBDK_ENUM_DEVICES \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x852, METHOD_BUFFERED, FILE_READ_ACCESS ))
#define IOCTL_USBDK_ADD_REDIRECT \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x854, METHOD_BUFFERED, FILE_WRITE_ACCESS ))
#define IOCTL_USBDK_REMOVE_REDIRECT \
ULONG(CTL_CODE( USBDK_DEVICE_TYPE, 0x855, METHOD_BUFFERED, FILE_WRITE_ACCESS ))
| Fix control device IOCTLS access type | UsbDk: Fix control device IOCTLS access type
Signed-off-by: Dmitry Fleytman <[email protected]>
| C | apache-2.0 | SPICE/win32-usbdk,freedesktop-unofficial-mirror/spice__win32__usbdk,freedesktop-unofficial-mirror/spice__win32__usbdk,daynix/UsbDk,SPICE/win32-usbdk,freedesktop-unofficial-mirror/spice__win32__usbdk,daynix/UsbDk |
e8d91bde77671b2448d041a05ef6ebbec13d8668 | src/components/include/test/application_manager/mock_app_extension.h | src/components/include/test/application_manager/mock_app_extension.h | /*
* Copyright (c) 2018, Ford Motor Company
* 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.
*
* Neither the name of the Ford Motor Company 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 HOLDER 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 SRC_COMPONENTS_INCLUDE_TEST_APPLICATION_MANAGER_MOCK_APP_EXTENSION_H_
#define SRC_COMPONENTS_INCLUDE_TEST_APPLICATION_MANAGER_MOCK_APP_EXTENSION_H_
#include "gmock/gmock.h"
#include "application_manager/app_extension.h"
namespace test {
namespace components {
namespace application_manager_test {
namespace {
static unsigned MockAppExtensionUID = 123;
} // namespace
class MockAppExtension : public application_manager::AppExtension {
public:
MockAppExtension() : AppExtension(MockAppExtensionUID) {}
MOCK_METHOD1(
SaveResumptionData,
void(NsSmartDeviceLink::NsSmartObjects::SmartObject& resumption_data));
MOCK_METHOD1(ProcessResumption,
void(const NsSmartDeviceLink::NsSmartObjects::SmartObject&
resumption_data));
};
} // namespace application_manager_test
} // namespace components
} // namespace test
#endif // SRC_COMPONENTS_INCLUDE_TEST_APPLICATION_MANAGER_MOCK_APP_EXTENSION_H_
| Add mock for AppExtension class | Add mock for AppExtension class
| C | bsd-3-clause | smartdevicelink/sdl_core,smartdevicelink/sdl_core,smartdevicelink/sdl_core,smartdevicelink/sdl_core |
|
93493c306432d030d91ef0d27f5dd5314eb1cab4 | scivis/pup_operators.h | scivis/pup_operators.h | #pragma once
#include <glm/glm.hpp>
#include "sv/scivis.h"
inline void operator|(PUP::er &p, sv::VolumeDType &dtype) {
if (p.isUnpacking()) {
int t = 0;
p | t;
dtype = (sv::VolumeDType)t;
} else {
int t = dtype;
p | t;
}
}
inline void operator|(PUP::er &p, glm::uvec3 &v) {
p | v.x;
p | v.y;
p | v.z;
}
| Add operators for some types for PUP | Add operators for some types for PUP
| C | mit | Twinklebear/Charm-experiments,Twinklebear/Charm-experiments,Twinklebear/Charm-experiments |
|
5d4adccfabf26f2995b6726a75fdde281e20e8ac | texor.c | texor.c | #include <ctype.h>
#include <stdio.h>
#include <stdlib.h>
#include <termios.h>
#include <unistd.h>
struct termios orig_termios;
void disableRawMode() {
tcsetattr(STDIN_FILENO, TCSAFLUSH, &orig_termios);
}
void enableRawMode() {
tcgetattr(STDIN_FILENO, &orig_termios);
atexit(disableRawMode);
struct termios raw = orig_termios;
raw.c_iflag &= ~(ICRNL | IXON);
raw.c_oflag &= ~(OPOST);
raw.c_lflag &= ~(ECHO | ICANON | IEXTEN | ISIG);
tcsetattr(STDIN_FILENO, TCSAFLUSH, &raw);
}
int main() {
enableRawMode();
char c;
while (read(STDIN_FILENO, &c, 1) == 1 && c!= 'q') {
if (iscntrl(c)) {
printf("%d\r\n", c);
} else {
printf("%d ('%c')\r\n", c, c);
}
}
return 0;
}
| #include <ctype.h>
#include <stdio.h>
#include <stdlib.h>
#include <termios.h>
#include <unistd.h>
struct termios orig_termios;
void disableRawMode() {
tcsetattr(STDIN_FILENO, TCSAFLUSH, &orig_termios);
}
void enableRawMode() {
tcgetattr(STDIN_FILENO, &orig_termios);
atexit(disableRawMode);
struct termios raw = orig_termios;
raw.c_iflag &= ~(BRKINT | ICRNL | INPCK | ISTRIP | IXON);
raw.c_oflag &= ~(OPOST);
raw.c_cflag |= (CS8);
raw.c_lflag &= ~(ECHO | ICANON | IEXTEN | ISIG);
tcsetattr(STDIN_FILENO, TCSAFLUSH, &raw);
}
int main() {
enableRawMode();
char c;
while (read(STDIN_FILENO, &c, 1) == 1 && c!= 'q') {
if (iscntrl(c)) {
printf("%d\r\n", c);
} else {
printf("%d ('%c')\r\n", c, c);
}
}
return 0;
}
| Disable a few misc flags | Disable a few misc flags
| C | bsd-2-clause | kyletolle/texor |
46f1e784fefa16719ec7dcbf9ccc4270656fc7df | TWRBorderedView/TWRBorderedView.h | TWRBorderedView/TWRBorderedView.h | //
// TWRBorderedView.h
// TWRBorderedView
//
// Created by Michelangelo Chasseur on 15/04/14.
// Copyright (c) 2014 Touchware. All rights reserved.
//
#import <UIKit/UIKit.h>
typedef NS_OPTIONS(NSUInteger, TWRBorderMask) {
TWRBorderMaskTop = 1 << 0,
TWRBorderMaskBottom = 1 << 1,
TWRBorderMaskLeft = 1 << 2,
TWRBorderMaskRight = 1 << 3
};
@interface TWRBorderedView : UIView
@property (nonatomic, assign) TWRBorderMask mask;
@property (nonatomic, assign) CGFloat borderWidth;
@property (strong, nonatomic) UIColor *borderColor;
// Use when assigning values from a XIB file
@property (nonatomic, assign) BOOL topBorder;
@property (nonatomic, assign) BOOL bottomBorder;
@property (nonatomic, assign) BOOL leftBorder;
@property (nonatomic, assign) BOOL rightomBorder;
- (id)initWithFrame:(CGRect)frame borderWidth:(CGFloat)width color:(UIColor *)color andMask:(TWRBorderMask)mask;
@end
| //
// TWRBorderedView.h
// TWRBorderedView
//
// Created by Michelangelo Chasseur on 15/04/14.
// Copyright (c) 2014 Touchware. All rights reserved.
//
#import <UIKit/UIKit.h>
typedef NS_OPTIONS(NSUInteger, TWRBorderMask) {
TWRBorderMaskTop = 1 << 0,
TWRBorderMaskBottom = 1 << 1,
TWRBorderMaskLeft = 1 << 2,
TWRBorderMaskRight = 1 << 3
};
@interface TWRBorderedView : UIView
@property (nonatomic, assign) TWRBorderMask mask;
@property (nonatomic, assign) CGFloat borderWidth;
@property (strong, nonatomic) UIColor *borderColor;
// Use when assigning values from a XIB file
@property (nonatomic, assign) BOOL topBorder;
@property (nonatomic, assign) BOOL bottomBorder;
@property (nonatomic, assign) BOOL leftBorder;
@property (nonatomic, assign) BOOL rightBorder;
- (id)initWithFrame:(CGRect)frame borderWidth:(CGFloat)width color:(UIColor *)color andMask:(TWRBorderMask)mask;
@end
| Fix spelling in property naming. | Fix spelling in property naming. | C | mit | chasseurmic/TWRBorderedView,ChetanGandhi/TWRBorderedView |
9a00f8af17d4b4d5810c04f9861217014df99dc2 | src/imap/cmd-close.c | src/imap/cmd-close.c | /* Copyright (c) 2002-2008 Dovecot authors, see the included COPYING file */
#include "common.h"
#include "commands.h"
#include "imap-expunge.h"
bool cmd_close(struct client_command_context *cmd)
{
struct client *client = cmd->client;
struct mailbox *mailbox = client->mailbox;
struct mail_storage *storage;
if (!client_verify_open_mailbox(cmd))
return TRUE;
storage = mailbox_get_storage(mailbox);
client->mailbox = NULL;
if (!imap_expunge(mailbox, NULL))
client_send_untagged_storage_error(client, storage);
if (mailbox_close(&mailbox) < 0)
client_send_untagged_storage_error(client, storage);
client_update_mailbox_flags(client, NULL);
client_send_tagline(cmd, "OK Close completed.");
return TRUE;
}
| /* Copyright (c) 2002-2008 Dovecot authors, see the included COPYING file */
#include "common.h"
#include "commands.h"
#include "imap-expunge.h"
bool cmd_close(struct client_command_context *cmd)
{
struct client *client = cmd->client;
struct mailbox *mailbox = client->mailbox;
struct mail_storage *storage;
if (!client_verify_open_mailbox(cmd))
return TRUE;
storage = mailbox_get_storage(mailbox);
client->mailbox = NULL;
if (!imap_expunge(mailbox, NULL))
client_send_untagged_storage_error(client, storage);
else if (mailbox_sync(mailbox, 0, 0, NULL) < 0)
client_send_untagged_storage_error(client, storage);
if (mailbox_close(&mailbox) < 0)
client_send_untagged_storage_error(client, storage);
client_update_mailbox_flags(client, NULL);
client_send_tagline(cmd, "OK Close completed.");
return TRUE;
}
| Synchronize the mailbox after expunging messages to actually get them expunged. | CLOSE: Synchronize the mailbox after expunging messages to actually get them
expunged.
--HG--
branch : HEAD
| C | mit | jkerihuel/dovecot,jkerihuel/dovecot,jkerihuel/dovecot,jkerihuel/dovecot,jkerihuel/dovecot,jwm/dovecot-notmuch,jwm/dovecot-notmuch,jwm/dovecot-notmuch,jwm/dovecot-notmuch,jwm/dovecot-notmuch |
b4c0e72db659adff77f16277cf8634d6efc32a51 | VisualPractice/commands.h | VisualPractice/commands.h | #ifndef TE_COMMANDS_H
#define TE_COMMANDS_H
#include <functional>
#include <map>
#include <SDL_keycode.h>
#include <SDL_events.h>
#include <memory>
namespace te
{
class Rectangle;
enum class Action { UP, DOWN };
typedef std::function<void()> Command;
typedef std::map<Action, Command> CommandMap;
CommandMap createPaddleCommandMap(std::shared_ptr<Rectangle> pPaddle);
typedef std::map<std::pair<SDL_Keycode, Uint32>, Action> KeyMap;
KeyMap createPaddleKeyMap(unsigned int configN = 1);
}
#endif /* TE_COMMANDS_H */
| #ifndef TE_COMMANDS_H
#define TE_COMMANDS_H
#include <functional>
#include <map>
#include <SDL_keycode.h>
#include <SDL_events.h>
#include <memory>
namespace te
{
class Rectangle;
enum class Action { UP, DOWN };
//typedef std::function<void()> Command;
//typedef std::map<Action, Command> CommandMap;
//CommandMap createPaddleCommandMap(std::shared_ptr<Rectangle> pPaddle);
//typedef std::map<std::pair<SDL_Keycode, Uint32>, Action> KeyMap;
//KeyMap createPaddleKeyMap(unsigned int configN = 1);
}
#endif /* TE_COMMANDS_H */
| Comment out old Command to avoid name collisions | Comment out old Command to avoid name collisions
| C | mit | evinstk/TantechEngine,evinstk/TantechEngineOriginal,evinstk/TantechEngine,evinstk/TantechEngineOriginal,evinstk/TantechEngine,evinstk/TantechEngine,evinstk/TantechEngineOriginal,evinstk/TantechEngineOriginal,evinstk/TantechEngine,evinstk/TantechEngineOriginal,evinstk/TantechEngine,evinstk/TantechEngineOriginal |
093693a7dc5c39d74498bb99fa3f9782fdad63f1 | test2/int_overflow/trapv_shift.c | test2/int_overflow/trapv_shift.c | // RUN: %ucc -ftrapv -fno-const-fold -o %t %s
// RUN: %t; [ $? -ne 0 ]
main()
{
int x;
// ensure powers of two aren't shift-converted, as overflow can't catch this
x = -3 * 0x4000000000000000;
return 0;
}
| // RUN: %ocheck SIGILL %s -ftrapv -fno-const-fold -DT=int
// RUN: %ocheck SIGILL %s -ftrapv -fno-const-fold -DT=long
// RUN: %ocheck 0 %s -fno-const-fold -DT=int
// RUN: %ocheck 0 %s -fno-const-fold -DT=long
main()
{
// test with T being both int and long, to check how truncations are dealt with
T x;
// ensure powers of two aren't shift-converted, as overflow can't catch this
x = -3 * 0x4000000000000000;
return 0;
}
| Update trapv tests with explicit signal name | Update trapv tests with explicit signal name
| C | mit | bobrippling/ucc-c-compiler,bobrippling/ucc-c-compiler,bobrippling/ucc-c-compiler |
54e41dd08a06f978a6d123f19f5bbe39370f04ea | audio/null_audio_poller.h | audio/null_audio_poller.h | /*
* Copyright (c) 2017 The WebRTC project authors. All Rights Reserved.
*
* Use of this source code is governed by a BSD-style license
* that can be found in the LICENSE file in the root of the source
* tree. An additional intellectual property rights grant can be found
* in the file PATENTS. All contributing project authors may
* be found in the AUTHORS file in the root of the source tree.
*/
#ifndef AUDIO_NULL_AUDIO_POLLER_H_
#define AUDIO_NULL_AUDIO_POLLER_H_
#include "modules/audio_device/include/audio_device_defines.h"
#include "rtc_base/messagehandler.h"
#include "rtc_base/thread_checker.h"
namespace webrtc {
namespace internal {
class NullAudioPoller final : public rtc::MessageHandler {
public:
explicit NullAudioPoller(AudioTransport* audio_transport);
~NullAudioPoller();
protected:
void OnMessage(rtc::Message* msg) override;
private:
const rtc::ThreadChecker thread_checker_;
AudioTransport* const audio_transport_;
int64_t reschedule_at_;
};
} // namespace internal
} // namespace webrtc
#endif // AUDIO_NULL_AUDIO_POLLER_H_
| /*
* Copyright (c) 2017 The WebRTC project authors. All Rights Reserved.
*
* Use of this source code is governed by a BSD-style license
* that can be found in the LICENSE file in the root of the source
* tree. An additional intellectual property rights grant can be found
* in the file PATENTS. All contributing project authors may
* be found in the AUTHORS file in the root of the source tree.
*/
#ifndef AUDIO_NULL_AUDIO_POLLER_H_
#define AUDIO_NULL_AUDIO_POLLER_H_
#include "modules/audio_device/include/audio_device_defines.h"
#include "rtc_base/messagehandler.h"
#include "rtc_base/thread_checker.h"
namespace webrtc {
namespace internal {
class NullAudioPoller final : public rtc::MessageHandler {
public:
explicit NullAudioPoller(AudioTransport* audio_transport);
~NullAudioPoller();
protected:
void OnMessage(rtc::Message* msg) override;
private:
rtc::ThreadChecker thread_checker_;
AudioTransport* const audio_transport_;
int64_t reschedule_at_;
};
} // namespace internal
} // namespace webrtc
#endif // AUDIO_NULL_AUDIO_POLLER_H_
| Remove const from ThreadChecker in NullAudioPoller. | Remove const from ThreadChecker in NullAudioPoller.
[email protected],[email protected]
Bug: webrtc:8482
Change-Id: Ib2738224e776618c692db95cd9473335bc17be15
Reviewed-on: https://webrtc-review.googlesource.com/17540
Commit-Queue: Björn Terelius <[email protected]>
Reviewed-by: Björn Terelius <[email protected]>
Cr-Commit-Position: 972c6d2dc6dd5efdad1377c0d224e03eb8f276f7@{#20505} | C | bsd-3-clause | TimothyGu/libilbc,TimothyGu/libilbc,ShiftMediaProject/libilbc,ShiftMediaProject/libilbc,ShiftMediaProject/libilbc,TimothyGu/libilbc,TimothyGu/libilbc,TimothyGu/libilbc,ShiftMediaProject/libilbc,ShiftMediaProject/libilbc |
5be6eff496407146af24c8e85ae2c560b40eeab8 | src/safe_memory.c | src/safe_memory.c | #include "safe-c/safe_memory.h"
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void* safe_malloc_function(size_t size, const char* calling_function)
{
if (size == 0)
{
fprintf(stderr, "Error allocating memory: The function %s called "
"'safe_malloc' and requested zero memory. The pointer should "
"be explicitly set to NULL instead.\n",
calling_function);
exit(EXIT_FAILURE);
}
void* memory = malloc(size);
if (!memory)
{
fprintf(stderr, "Error allocating memory: The function %s called "
"'safe_malloc' requesting %u bytes of memory, but an error "
"occurred allocating this amount of memory. Exiting",
calling_function);
exit(EXIT_FAILURE);
}
memset(memory, 0, size);
return memory;
}
void safe_free_function(void** pointer)
{
if (pointer != NULL)
{
free(*pointer);
*pointer = NULL;
}
}
| #include "safe-c/safe_memory.h"
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void* safe_malloc_function(size_t size, const char* calling_function)
{
if (size == 0)
{
fprintf(stderr, "Error allocating memory: The function %s called "
"'safe_malloc' and requested zero memory. The pointer should "
"be explicitly set to NULL instead.\n",
calling_function);
exit(EXIT_FAILURE);
}
void* memory = malloc(size);
if (!memory)
{
fprintf(stderr, "Error allocating memory: The function %s called "
"'safe_malloc' requesting %zu bytes of memory, but an error "
"occurred allocating this amount of memory. Exiting",
calling_function, size);
exit(EXIT_FAILURE);
}
memory = memset(memory, 0, size);
return memory;
}
void safe_free_function(void** pointer)
{
if (pointer != NULL)
{
free(*pointer);
*pointer = NULL;
}
}
| Add value parameter to fprintf in safe_malloc | Fix: Add value parameter to fprintf in safe_malloc
Changed the value type in the `fprintf` from `u` to `zu`, this is because `size` is of type `size_t` and not `unsigned int`.
In addation, asign the return value of memset to `memory`.
| C | mit | VanJanssen/safe-c,ErwinJanssen/elegan-c,VanJanssen/elegan-c |
2dcd6e7fb0ec86accdf06f9ebd4ad72a54b48fcd | servo.c | servo.c | /**
* This program sets up a 50 Hz PWM and a basic UART command structure.
* Users may connect to the UART and send one byte at a time to make up
* more complex commands. The basic layout of the command format is
* like this: [B_1,B_2,0xFE], with the commas, brackets, and quotes all
* being abstract (e.g. not really sent across the wire).
*
* B_1 will generally be the servo of interest (e.g. 'A' or 'B').
* B_2 will generally be a byte between 0 and 180, representing degrees.
* B_1 and B_2 may be sent interchangeably or even many times over, and the
* AVR will just continue to record the data and echo bytes received back
* to the sender until a COMMAND_EXEC_BYTE is reached.
*
* Bytes sent across the wire will be echoed back to the sending device,
* except in the case when COMMAND_EXEC_BYTE (0xFE) is received. In that
* case, ACK_BYTE (0xFF) will be sent back to the sending device.
*
* In the case where the AVR thinks you are trying to set the degrees and
* the degrees are outside the range of [0,180], it will send back a BAD_BYTE.
*/
#include <inttypes.h>
#include <avr/interrupt.h>
#include <avr/io.h>
#include "servo.h"
#include "uart.h"
#define COMMAND_EXEC_BYTE 0xFD
#define BAD_BYTE 0xFE
#define ACK_BYTE 0xFF
int main (void) {
servo_init(OC1A | OC1B);
uart_enable(UM_Asynchronous);
sei();
volatile uint16_t* pin = 0;
uint8_t degrees = 0;
for (;;) {
volatile unsigned char b = uart_receive();
switch (b) {
case COMMAND_EXEC_BYTE:
*pin = servo(degrees);
b = ACK_BYTE;
break;
case 'A':
pin = &OCR1A;
break;
case 'B':
pin = &OCR1B;
break;
case ACK_BYTE:
break;
default:
if (b > 180) {
b = BAD_BYTE;
} else {
degrees = b;
}
break;
}
uart_transmit(b);
}
return 0;
}
| Add a missing file, even though it doesn't do much right now. | Add a missing file, even though it doesn't do much right now.
| C | mpl-2.0 | grimwm/avr,grimwm/avr,grimwm/avr,grimwm/avr |
|
174758bdd8ff7b763e274ccd6cfe84bf73f91f68 | trace.h | trace.h | #ifndef _TRACE_H_
#define _TRACE_H_
#include <stdio.h>
#include <errno.h>
#ifdef DEBUG
#define TRACE ERROR
#else
#define TRACE(fmt,arg...) ((void) 0)
#endif
#define ERROR(fmt,arg...) \
fprintf(stderr, "%s:%s:%d: "fmt, program_invocation_short_name, __func__, __LINE__, ##arg)
#define FATAL(fmt,arg...) do { \
ERROR(fmt, ##arg); \
exit(1); \
} while (0)
#endif
| #ifndef _TRACE_H_
#define _TRACE_H_
#include <stdio.h>
#include <errno.h>
#ifdef DEBUG
#define TRACE ERROR
#else
#define TRACE(fmt,arg...) ((void) 0)
#endif
#ifdef DEBUG
#define ERROR(fmt,arg...) \
fprintf(stderr, "%s:%d: "fmt, __func__, __LINE__, ##arg)
#else
#define ERROR(fmt,arg...) \
fprintf(stderr, "%s: "fmt, program_invocation_short_name, ##arg)
#endif
#define FATAL(fmt,arg...) do { \
ERROR(fmt, ##arg); \
exit(1); \
} while (0)
#endif
| Add __func__, __LINE__ to TRACE if DEBUG, otherwise add progname. | Add __func__, __LINE__ to TRACE if DEBUG, otherwise add progname.
| C | lgpl-2.1 | TACCProjects/tacc_stats,aaichsmn/tacc_stats,TACCProjects/tacc_stats,rtevans/tacc_stats_old,TACCProjects/tacc_stats,dimm0/tacc_stats,TACC/tacc_stats,TACC/tacc_stats,sdsc/xsede_stats,ubccr/tacc_stats,dimm0/tacc_stats,ubccr/tacc_stats,sdsc/xsede_stats,sdsc/xsede_stats,aaichsmn/tacc_stats,ubccr/tacc_stats,TACC/tacc_stats,ubccr/tacc_stats,dimm0/tacc_stats,TACCProjects/tacc_stats,aaichsmn/tacc_stats,sdsc/xsede_stats,aaichsmn/tacc_stats,dimm0/tacc_stats,ubccr/tacc_stats,dimm0/tacc_stats,TACC/tacc_stats,rtevans/tacc_stats_old,TACC/tacc_stats,rtevans/tacc_stats_old |
a198c3d0393faa1fa9f0e6e917ce980d3638f8df | drivers/scsi/qla2xxx/qla_version.h | drivers/scsi/qla2xxx/qla_version.h | /*
* QLogic Fibre Channel HBA Driver
* Copyright (c) 2003-2008 QLogic Corporation
*
* See LICENSE.qla2xxx for copyright and licensing details.
*/
/*
* Driver version
*/
#define QLA2XXX_VERSION "8.02.01-k1"
#define QLA_DRIVER_MAJOR_VER 8
#define QLA_DRIVER_MINOR_VER 2
#define QLA_DRIVER_PATCH_VER 1
#define QLA_DRIVER_BETA_VER 0
| /*
* QLogic Fibre Channel HBA Driver
* Copyright (c) 2003-2008 QLogic Corporation
*
* See LICENSE.qla2xxx for copyright and licensing details.
*/
/*
* Driver version
*/
#define QLA2XXX_VERSION "8.02.01-k2"
#define QLA_DRIVER_MAJOR_VER 8
#define QLA_DRIVER_MINOR_VER 2
#define QLA_DRIVER_PATCH_VER 1
#define QLA_DRIVER_BETA_VER 0
| Update version number to 8.02.01-k2. | [SCSI] qla2xxx: Update version number to 8.02.01-k2.
Signed-off-by: Andrew Vasquez <[email protected]>
Signed-off-by: James Bottomley <[email protected]>
| C | mit | KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs |
cf3059a12936f8e92876e56b50bcdb092be70645 | drivers/scsi/qla4xxx/ql4_version.h | drivers/scsi/qla4xxx/ql4_version.h | /*
* QLogic iSCSI HBA Driver
* Copyright (c) 2003-2010 QLogic Corporation
*
* See LICENSE.qla4xxx for copyright and licensing details.
*/
#define QLA4XXX_DRIVER_VERSION "5.02.00-k13"
| /*
* QLogic iSCSI HBA Driver
* Copyright (c) 2003-2010 QLogic Corporation
*
* See LICENSE.qla4xxx for copyright and licensing details.
*/
#define QLA4XXX_DRIVER_VERSION "5.02.00-k14"
| Update driver version to 5.02.00-k14 | [SCSI] qla4xxx: Update driver version to 5.02.00-k14
Signed-off-by: Vikas Chaudhary <[email protected]>
Signed-off-by: James Bottomley <[email protected]>
| C | mit | KristFoundation/Programs,KristFoundation/Programs,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,TeamVee-Kanas/android_kernel_samsung_kanas,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs,KristFoundation/Programs |
04fedf7ef8260ffbb1bbefc214aae279a62f6973 | SSPSolution/SSPSolution/DoorEntity.h | SSPSolution/SSPSolution/DoorEntity.h | #ifndef SSPAPPLICATION_ENTITIES_DOORENTITY_H
#define SSPAPPLICATION_ENTITIES_DOORENTITY_H
#include "Entity.h"
#include <vector>
class DoorEntity :
public Entity
{
private:
struct ElementState {
int entityID;
EVENT desiredState;
bool desiredStateReached;
};
std::vector<ElementState> m_elementStates;
bool m_isOpened;
float m_minRotation;
float m_maxRotation;
float m_rotateTime;
float m_rotatePerSec;
public:
DoorEntity();
virtual ~DoorEntity();
int Initialize(int entityID, PhysicsComponent* pComp, GraphicsComponent* gComp, float rotateTime = 1.0f, float minRotation = 0.0f, float maxRotation = DirectX::XM_PI / 2.0f);
int Update(float dT, InputHandler* inputHandler);
int React(int entityID, EVENT reactEvent);
bool SetIsOpened(bool isOpened);
bool GetIsOpened();
};
#endif | #ifndef SSPAPPLICATION_ENTITIES_DOORENTITY_H
#define SSPAPPLICATION_ENTITIES_DOORENTITY_H
#include "Entity.h"
#include <vector>
class DoorEntity :
public Entity
{
private:
/*struct ElementState {
int entityID;
EVENT desiredState;
bool desiredStateReached;
};
std::vector<ElementState> m_elementStates;*/
bool m_isOpened;
float m_minRotation;
float m_maxRotation;
float m_rotateTime;
float m_rotatePerSec;
public:
DoorEntity();
virtual ~DoorEntity();
int Initialize(int entityID, PhysicsComponent* pComp, GraphicsComponent* gComp, float rotateTime = 1.0f, float minRotation = 0.0f, float maxRotation = DirectX::XM_PI / 2.0f);
int Update(float dT, InputHandler* inputHandler);
int React(int entityID, EVENT reactEvent);
bool SetIsOpened(bool isOpened);
bool GetIsOpened();
};
#endif | UPDATE Commented out some test code | UPDATE Commented out some test code
| C | apache-2.0 | Chringo/SSP,Chringo/SSP |
97560dd8e208d7b7fc2262cef135a3cbcaeae2eb | components/libc/mmap/posix_mmap.c | components/libc/mmap/posix_mmap.c | /*
* Copyright (c) 2006-2018, RT-Thread Development Team
*
* SPDX-License-Identifier: Apache-2.0
*
* Change Logs:
* Date Author Notes
* 2017/11/30 Bernard The first version.
*/
#include <stdint.h>
#include <stdio.h>
#include <rtthread.h>
#include <dfs_posix.h>
#include <sys/mman.h>
void *mmap(void *addr, size_t length, int prot, int flags,
int fd, off_t offset)
{
uint8_t *mem;
if (addr)
{
mem = addr;
}
else mem = (uint8_t *)malloc(length);
if (mem)
{
off_t cur;
size_t read_bytes;
cur = lseek(fd, 0, SEEK_SET);
lseek(fd, offset, SEEK_SET);
read_bytes = read(fd, addr, length);
if (read_bytes != length)
{
if (addr == RT_NULL)
{
/* read failed */
free(mem);
mem = RT_NULL;
}
}
lseek(fd, cur, SEEK_SET);
return mem;
}
errno = ENOMEM;
return MAP_FAILED;
}
int munmap(void *addr, size_t length)
{
if (addr)
{
free(addr);
return 0;
}
return -1;
}
| /*
* Copyright (c) 2006-2018, RT-Thread Development Team
*
* SPDX-License-Identifier: Apache-2.0
*
* Change Logs:
* Date Author Notes
* 2017/11/30 Bernard The first version.
*/
#include <stdint.h>
#include <stdio.h>
#include <rtthread.h>
#include <dfs_posix.h>
#include <sys/mman.h>
void *mmap(void *addr, size_t length, int prot, int flags,
int fd, off_t offset)
{
uint8_t *mem;
if (addr)
{
mem = addr;
}
else mem = (uint8_t *)malloc(length);
if (mem)
{
off_t cur;
size_t read_bytes;
cur = lseek(fd, 0, SEEK_SET);
lseek(fd, offset, SEEK_SET);
read_bytes = read(fd, mem, length);
if (read_bytes != length)
{
if (addr == RT_NULL)
{
/* read failed */
free(mem);
mem = RT_NULL;
}
}
lseek(fd, cur, SEEK_SET);
return mem;
}
errno = ENOMEM;
return MAP_FAILED;
}
int munmap(void *addr, size_t length)
{
if (addr)
{
free(addr);
return 0;
}
return -1;
}
| Fix the addr=NULL issue in mmap. | [libc] Fix the addr=NULL issue in mmap.
| C | apache-2.0 | RT-Thread/rt-thread,gbcwbz/rt-thread,weety/rt-thread,weiyuliang/rt-thread,RT-Thread/rt-thread,RT-Thread/rt-thread,nongxiaoming/rt-thread,geniusgogo/rt-thread,armink/rt-thread,armink/rt-thread,nongxiaoming/rt-thread,AubrCool/rt-thread,RT-Thread/rt-thread,gbcwbz/rt-thread,geniusgogo/rt-thread,hezlog/rt-thread,hezlog/rt-thread,ArdaFu/rt-thread,weety/rt-thread,zhaojuntao/rt-thread,zhaojuntao/rt-thread,hezlog/rt-thread,nongxiaoming/rt-thread,gbcwbz/rt-thread,FlyLu/rt-thread,weiyuliang/rt-thread,nongxiaoming/rt-thread,ArdaFu/rt-thread,hezlog/rt-thread,AubrCool/rt-thread,weiyuliang/rt-thread,ArdaFu/rt-thread,weety/rt-thread,zhaojuntao/rt-thread,geniusgogo/rt-thread,FlyLu/rt-thread,armink/rt-thread,nongxiaoming/rt-thread,armink/rt-thread,gbcwbz/rt-thread,FlyLu/rt-thread,weety/rt-thread,AubrCool/rt-thread,RT-Thread/rt-thread,gbcwbz/rt-thread,AubrCool/rt-thread,RT-Thread/rt-thread,nongxiaoming/rt-thread,weety/rt-thread,AubrCool/rt-thread,hezlog/rt-thread,zhaojuntao/rt-thread,ArdaFu/rt-thread,geniusgogo/rt-thread,ArdaFu/rt-thread,zhaojuntao/rt-thread,weety/rt-thread,weiyuliang/rt-thread,gbcwbz/rt-thread,nongxiaoming/rt-thread,weiyuliang/rt-thread,FlyLu/rt-thread,weety/rt-thread,ArdaFu/rt-thread,ArdaFu/rt-thread,FlyLu/rt-thread,hezlog/rt-thread,RT-Thread/rt-thread,zhaojuntao/rt-thread,weiyuliang/rt-thread,AubrCool/rt-thread,armink/rt-thread,armink/rt-thread,FlyLu/rt-thread,geniusgogo/rt-thread,geniusgogo/rt-thread,weiyuliang/rt-thread,geniusgogo/rt-thread,gbcwbz/rt-thread,zhaojuntao/rt-thread,FlyLu/rt-thread,armink/rt-thread,hezlog/rt-thread,AubrCool/rt-thread |
e0ff8228425c0235e4d352460c203d43f6a24a19 | util/InputState.h | util/InputState.h | #ifndef INPUTSTATE_H
#define INPUTSTATE_H
#include <SDL2/SDL.h>
#undef main
#include <map>
class InputState
{
public:
enum KeyFunction { KF_EXIT, KF_FORWARDS, KF_BACKWARDS, KF_ROTATE_SUN };
InputState();
void readInputState();
bool getKeyState(KeyFunction f);
int getAbsoluteMouseX() { return mouse_x; };
int getAbsoluteMouseY() { return mouse_y; };
float getMouseX() { return (float)mouse_x / (float)w; };
float getMouseY() { return (float)mouse_y / (float)h; };
int w, h;
int mouse_x, mouse_y;
private:
Uint8 *keys;
Uint8 key_function_to_keycode[4];
};
#endif
| #ifndef INPUTSTATE_H
#define INPUTSTATE_H
#include <SDL2/SDL.h>
#undef main
#include <map>
class InputState
{
public:
enum KeyFunction { KF_EXIT, KF_FORWARDS, KF_BACKWARDS, KF_ROTATE_SUN };
InputState();
void readInputState();
bool getKeyState(KeyFunction f);
int getAbsoluteMouseX() { return mouse_x; };
int getAbsoluteMouseY() { return mouse_y; };
float getMouseX() { return (float)mouse_x / (float)w; };
float getMouseY() { return (float)mouse_y / (float)h; };
int w, h;
int mouse_x, mouse_y;
private:
const Uint8 *keys;
Uint8 key_function_to_keycode[4];
};
#endif
| Change key state array constness. | Change key state array constness.
Fixed for compatibility with upstream SDL2.
| C | mit | pstiasny/derpengine,pstiasny/derpengine |
7b1b9a38211b3d24d7e546c1f8314e17eea73391 | oscl/oscl_base.h | oscl/oscl_base.h | /* ------------------------------------------------------------------
* Copyright (C) 2009 Martin Storsjo
*
* 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.
* -------------------------------------------------------------------
*/
#ifndef OSCL_BASE_H
#define OSCL_BASE_H
#include <stdint.h>
typedef int8_t int8;
typedef uint8_t uint8;
typedef int16_t int16;
typedef uint16_t uint16;
typedef int32_t int32;
typedef uint32_t uint32;
typedef int64_t int64;
typedef uint64_t uint64;
#define OSCL_IMPORT_REF
#define OSCL_EXPORT_REF
#define OSCL_UNUSED_ARG (void)
#endif
| /* ------------------------------------------------------------------
* Copyright (C) 2009 Martin Storsjo
*
* 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.
* -------------------------------------------------------------------
*/
#ifndef OSCL_BASE_H
#define OSCL_BASE_H
#include <stdint.h>
typedef int8_t int8;
typedef uint8_t uint8;
typedef int16_t int16;
typedef uint16_t uint16;
typedef int32_t int32;
typedef uint32_t uint32;
typedef int64_t int64;
typedef uint64_t uint64;
#define OSCL_IMPORT_REF
#define OSCL_EXPORT_REF
#define OSCL_UNUSED_ARG(x) (void)(x)
#endif
| Use suggested change from Martin in defining OSCL_UNUSED_ARG. | Use suggested change from Martin in defining OSCL_UNUSED_ARG.
| C | apache-2.0 | Distrotech/opencore-amr,KurentoLegacy/opencore-amr,KurentoLegacy/opencore-amr,VFR-maniac/opencore-amr,BelledonneCommunications/opencore-amr,yxl/opencore-amr-js,lyx2014/-opencore-amr,yxl/opencore-amr-js,VFR-maniac/opencore-amr,BelledonneCommunications/opencore-amr,jiangjianping/opencore-amr,VFR-maniac/opencore-amr,lyx2014/-opencore-amr,yxl/opencore-amr-js,Distrotech/opencore-amr,KurentoLegacy/opencore-amr,Distrotech/opencore-amr,jiangjianping/opencore-amr,yxl/opencore-amr-js,yxl/opencore-amr-js |
b767e4fe4d8f4ff89dbd4a4c95352511e983162f | src/libcol/include/util/error.h | src/libcol/include/util/error.h | #ifndef ERROR_H
#define ERROR_H
/*
* Note that we include "fmt" in the variadic argument list, because C99
* apparently doesn't allow variadic macros to be invoked without any vargs
* parameters.
*/
#define ERROR(...) var_error(__FILE__, __LINE__, __VA_ARGS__)
#define FAIL() simple_error(__FILE__, __LINE__)
#define ASSERT(cond) ((cond) || assert_fail(APR_STRINGIFY(cond), \
__FILE__, __LINE__))
void simple_error(const char *file, int line_num);
void var_error(const char *file, int line_num,
const char *fmt, ...) __attribute__((format(printf, 3, 4)));
int assert_fail(const char *cond, const char *file, int line_num);
#endif /* ERROR_H */
| #ifndef ERROR_H
#define ERROR_H
/*
* Note that we include "fmt" in the variadic argument list, because C99
* apparently doesn't allow variadic macros to be invoked without any vargs
* parameters.
*/
#define ERROR(...) var_error(__FILE__, __LINE__, __VA_ARGS__)
#define FAIL() simple_error(__FILE__, __LINE__)
#define ASSERT(cond) ((cond) || assert_fail(APR_STRINGIFY(cond), \
__FILE__, __LINE__))
void simple_error(const char *file, int line_num) __attribute__((noreturn));
void var_error(const char *file, int line_num,
const char *fmt, ...) __attribute__((format(printf, 3, 4), noreturn));
int assert_fail(const char *cond, const char *file, int line_num);
#endif /* ERROR_H */
| Use GCC "noreturn" function attribute. | Use GCC "noreturn" function attribute.
| C | mit | bloom-lang/c4,bloom-lang/c4,bloom-lang/c4 |
017146d8004a683cfb9fef68095a238372ba1743 | include/nekit/config.h | include/nekit/config.h | // MIT License
// Copyright (c) 2017 Zhuhao Wang
// 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 be included in
// all copies or substantial portions of the Software.
// 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.
#pragma once
#ifndef NEKIT_TUNNEL_BUFFER_SIZE
#define NEKIT_TUNNEL_BUFFER_SIZE 8192
#endif
#ifndef NEKIT_TUNNEL_MAX_BUFFER_SIZE
#define NEKIT_TUNNEL_MAX_BUFFER_SIZE NEKIT_TUNNEL_BUFFER_SIZE
#endif
| // MIT License
// Copyright (c) 2017 Zhuhao Wang
// 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 be included in
// all copies or substantial portions of the Software.
// 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.
#pragma once
#ifndef NEKIT_TUNNEL_BUFFER_SIZE
#define NEKIT_TUNNEL_BUFFER_SIZE 8192
#endif
#ifndef NEKIT_TUNNEL_MAX_BUFFER_SIZE
#define NEKIT_TUNNEL_MAX_BUFFER_SIZE (NEKIT_TUNNEL_BUFFER_SIZE * 2)
#endif
| Enlarge default buffer size limit | FEAT: Enlarge default buffer size limit
| C | mit | zhuhaow/libnekit,zhuhaow/libnekit,zhuhaow/libnekit,zhuhaow/libnekit |
421139c98b8f202d8a3f5c7667cec95271ae0238 | tests/regression/13-privatized/32-traces-mine-vs-oplus-vs-meet.c | tests/regression/13-privatized/32-traces-mine-vs-oplus-vs-meet.c | #include <pthread.h>
#include <assert.h>
int g = 0;
pthread_mutex_t A = PTHREAD_MUTEX_INITIALIZER;
pthread_mutex_t B = PTHREAD_MUTEX_INITIALIZER;
pthread_mutex_t C = PTHREAD_MUTEX_INITIALIZER;
void *t_fun(void *arg) {
pthread_mutex_lock(&A);
pthread_mutex_lock(&C);
pthread_mutex_lock(&B);
g = 5;
pthread_mutex_unlock(&B);
pthread_mutex_lock(&B);
g = 0;
pthread_mutex_unlock(&B);
pthread_mutex_unlock(&C);
pthread_mutex_unlock(&A);
return NULL;
}
int main(void) {
pthread_t id;
pthread_create(&id, NULL, t_fun, NULL);
// This must be before the other to get Mine to fail for the other even with thread ID partitioning.
pthread_mutex_lock(&B);
pthread_mutex_lock(&C);
assert(g == 0);
pthread_mutex_unlock(&C);
pthread_mutex_unlock(&B);
pthread_mutex_lock(&A);
pthread_mutex_lock(&B);
assert(g == 0);
pthread_mutex_unlock(&B);
pthread_mutex_unlock(&A);
pthread_join(id, NULL);
return 0;
}
| #include <pthread.h>
#include <assert.h>
int g = 0;
pthread_mutex_t A = PTHREAD_MUTEX_INITIALIZER;
pthread_mutex_t B = PTHREAD_MUTEX_INITIALIZER;
pthread_mutex_t C = PTHREAD_MUTEX_INITIALIZER;
void *t_fun(void *arg) {
pthread_mutex_lock(&A);
pthread_mutex_lock(&C);
pthread_mutex_lock(&B);
g = 5;
pthread_mutex_unlock(&B);
pthread_mutex_lock(&B);
g = 0;
pthread_mutex_unlock(&B);
pthread_mutex_unlock(&C);
pthread_mutex_unlock(&A);
return NULL;
}
int main(void) {
pthread_t id;
pthread_create(&id, NULL, t_fun, NULL);
// This must be before the other to get Mine to fail for the other even with thread ID partitioning.
pthread_mutex_lock(&B);
pthread_mutex_lock(&C);
assert(g == 0); // mine and mutex-oplus fail, mutex-meet succeeds
pthread_mutex_unlock(&C);
pthread_mutex_unlock(&B);
pthread_mutex_lock(&A);
pthread_mutex_lock(&B);
assert(g == 0); // mine fails, mutex-oplus and mutex-meet succeed
pthread_mutex_unlock(&B);
pthread_mutex_unlock(&A);
pthread_join(id, NULL);
return 0;
}
| Add assert fail/success comments to 13/32 | Add assert fail/success comments to 13/32
| C | mit | goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer |
5bf537f29920a7a3c9db7792666b3af281f203e4 | src/plugins/cpu.c | src/plugins/cpu.c | #include <uv.h>
#include <estragon.h>
#ifdef __sun
#include <sys/pset.h>
#include <sys/loadavg.h>
#endif
static uv_timer_t cpu_timer;
void send_cpu_usage(uv_timer_t *timer, int status) {
double loadinfo[3];
#ifdef DEBUG
printf("cpu usage timer fired, status %d\n", status);
#endif
#ifdef __sun
/* On SunOS, if we're not in a global zone, uv_loadavg returns [0, 0, 0] */
/* This, instead, gets the loadavg for our assigned processor set. */
pset_getloadavg(PS_MYID, loadinfo, 3);
#else
uv_loadavg(loadinfo);
#endif
estragon_send("CPU load, last minute", "info", loadinfo[0]);
estragon_send("CPU load, last 5 minutes", "info", loadinfo[1]);
estragon_send("CPU load, last 15 minutes", "info", loadinfo[2]);
}
int cpu_init() {
uv_timer_init(uv_default_loop(), &cpu_timer);
uv_timer_start(&cpu_timer, send_cpu_usage, 0, 1000);
return 0;
}
| #include <uv.h>
#include <estragon.h>
#ifdef __sun
#include <sys/pset.h>
#include <sys/loadavg.h>
#endif
static uv_timer_t cpu_timer;
void send_cpu_usage(uv_timer_t *timer, int status) {
double loadinfo[3];
#ifdef DEBUG
printf("cpu usage timer fired, status %d\n", status);
#endif
#ifdef __sun
/* On SunOS, if we're not in a global zone, uv_loadavg returns [0, 0, 0] */
/* This, instead, gets the loadavg for our assigned processor set. */
pset_getloadavg(PS_MYID, loadinfo, 3);
#else
uv_loadavg(loadinfo);
#endif
estragon_send("cpu", "info", "CPU load, last minute", loadinfo[0]);
estragon_send("cpu", "info", "CPU load, last 5 minutes", loadinfo[1]);
estragon_send("cpu", "info", "CPU load, last 15 minutes", loadinfo[2]);
}
int cpu_init() {
uv_timer_init(uv_default_loop(), &cpu_timer);
uv_timer_start(&cpu_timer, send_cpu_usage, 0, 1000);
return 0;
}
| Use new `estragon_send` API in CPU plugin | [api] Use new `estragon_send` API in CPU plugin
| C | mit | mmalecki/forza,opsmezzo/forza,mmalecki/forza,npm/forza,cloudninja-io/libinterposed,mmalecki/forza,opsmezzo/forza,opsmezzo/forza |
c5dff4b623492ff9fdb44242b5263df7e637981c | src/plugins/zlib/istream-bzlib.c | src/plugins/zlib/istream-bzlib.c | /* Copyright (c) 2005-2008 Dovecot authors, see the included COPYING file */
#include "lib.h"
#include "istream-internal.h"
#include "istream-zlib.h"
#ifdef HAVE_BZLIB
#include <bzlib.h>
#define BZLIB_INCLUDE
#define gzFile BZFILE
#define gzdopen BZ2_bzdopen
#define gzclose BZ2_bzclose
#define gzread BZ2_bzread
#define gzseek BZ2_bzseek
#define i_stream_create_zlib i_stream_create_bzlib
#include "istream-zlib.c"
#endif
| /* Copyright (c) 2005-2008 Dovecot authors, see the included COPYING file */
#include "lib.h"
#include "istream-internal.h"
#include "istream-zlib.h"
#ifdef HAVE_BZLIB
#include <stdio.h>
#include <bzlib.h>
#define BZLIB_INCLUDE
#define gzFile BZFILE
#define gzdopen BZ2_bzdopen
#define gzclose BZ2_bzclose
#define gzread BZ2_bzread
#define gzseek BZ2_bzseek
#define i_stream_create_zlib i_stream_create_bzlib
#include "istream-zlib.c"
#endif
| Include stdio.h in case bzlib.h needs it. | bzlib: Include stdio.h in case bzlib.h needs it.
--HG--
branch : HEAD
| C | mit | dscho/dovecot,dscho/dovecot,dscho/dovecot,dscho/dovecot,dscho/dovecot |
2624600449a5360f1718fc5ba138daf7d8c04cf9 | kernel/arch/x86/serial_console.c | kernel/arch/x86/serial_console.c | #include <kernel/kernel.h>
#include <kernel/console.h>
#include <arch/ioport.h>
#define SERIAL_PORT_IO_BASE 0x3f8
#define REG_DATA (SERIAL_PORT_IO_BASE)
#define REG_DLL (SERIAL_PORT_IO_BASE)
#define REG_IER (SERIAL_PORT_IO_BASE + 1)
#define REG_DLH (SERIAL_PORT_IO_BASE + 1)
#define REG_FCR (SERIAL_PORT_IO_BASE + 2)
#define REG_LCR (SERIAL_PORT_IO_BASE + 3)
#define REG_LSR (SERIAL_PORT_IO_BASE + 5)
#define FCR_EFIFO BITU(0)
#define FCR_14BYTES (BITU(6) | BITU(7))
#define LCR_8BIT (BITU(0) | BITU(1))
#define LCR_DLAB BITU(7)
#define LSR_TX_READY BITU(5)
static void putchar(char c)
{
while (!(inb(REG_LSR) & LSR_TX_READY));
outb(REG_DATA, c);
}
static void write(const char *buf, unsigned long size)
{
for (unsigned i = 0; i != size; ++i)
putchar(buf[i]);
}
static struct console serial_console = {
.write = write
};
static void init_polling_mode(void)
{
/* disable all interrupts */
outb(REG_IER, 0);
/* enable access to frequency divisor */
outb(REG_LCR, LCR_DLAB);
/* set 9600 baud rate (timer frequency is 115200, divide it by 12) */
outb(REG_DLL, 0x0C);
outb(REG_DLH, 0x00);
/* set frame format (8 bit, no parity, 1 stop bit) and drop DLAB */
outb(REG_LCR, LCR_8BIT);
/* enable 14 byte length FIFO buffer */
outb(REG_FCR, FCR_EFIFO | FCR_14BYTES);
}
void init_serial_console(void)
{
init_polling_mode();
register_console(&serial_console);
}
| Add serial port console implementation | Add serial port console implementation
| C | mit | krinkinmu/auos,krinkinmu/auos,krinkinmu/auos,krinkinmu/auos |
|
ef0b1d076b6a4a3954358e07f432a3e57b1e0e4e | Classes/APIAFNetworkingHTTPClient.h | Classes/APIAFNetworkingHTTPClient.h | //
// APIAFNetworkingHTTPClient.h
// APIClient
//
// Created by Klaas Pieter Annema on 30-08-13.
// Copyright (c) 2013 Klaas Pieter Annema. All rights reserved.
//
#import <Foundation/Foundation.h>
#import "AFNetworking.h"
#import "APIHTTPClient.h"
@interface APIAFNetworkingHTTPClient : NSObject <APIHTTPClient>
@property (nonatomic, readonly, copy) NSURL *baseURL;
@property (nonatomic, readonly, strong) NSURLSessionConfiguration *sessionConfiguration;
- (id)initWithBaseURL:(NSURL *)baseURL;
- (id)initWithBaseURL:(NSURL *)baseURL
sessionConfiguration:(NSURLSessionConfiguration *)sessionConfiguration NS_DESIGNATED_INITIALIZER;
@end
| //
// APIAFNetworkingHTTPClient.h
// APIClient
//
// Created by Klaas Pieter Annema on 30-08-13.
// Copyright (c) 2013 Klaas Pieter Annema. All rights reserved.
//
#import <Foundation/Foundation.h>
#import <AFNetworking/AFNetworking.h>
#import "APIHTTPClient.h"
@interface APIAFNetworkingHTTPClient : NSObject <APIHTTPClient>
@property (nonatomic, readonly, copy) NSURL *baseURL;
@property (nonatomic, readonly, strong) NSURLSessionConfiguration *sessionConfiguration;
- (id)initWithBaseURL:(NSURL *)baseURL;
- (id)initWithBaseURL:(NSURL *)baseURL
sessionConfiguration:(NSURLSessionConfiguration *)sessionConfiguration NS_DESIGNATED_INITIALIZER;
@end
| Use the correct import syntax | Use the correct import syntax
| C | mit | klaaspieter/APIClient |
fdd95026532a728b5faad191f7485183546cfe3b | include/fruit/impl/unordered_map.h | include/fruit/impl/unordered_map.h | /*
* Copyright 2014 Google Inc. 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.
*/
#ifndef FRUIT_UNORDERED_MAP_H
#define FRUIT_UNORDERED_MAP_H
#ifdef FRUIT_NO_SPARSE_HASH
#include <unordered_map>
namespace fruit {
namespace impl {
template <typename Key, typename Value>
using UnorderedMap = std::unordered_map<Key, Value>;
} // namespace impl
} // namespace fruit
#else
#include <sparsehash/dense_hash_map>
namespace fruit {
namespace impl {
template <typename Key, typename Value>
using UnorderedMap = google::dense_hash_map<Key, Value>;
} // namespace impl
} // namespace fruit
#endif
#endif // FRUIT_UNORDERED_MAP_H
| /*
* Copyright 2014 Google Inc. 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.
*/
#ifndef FRUIT_UNORDERED_MAP_H
#define FRUIT_UNORDERED_MAP_H
#ifdef FRUIT_NO_SPARSE_HASH
#include <unordered_map>
namespace fruit {
namespace impl {
template <typename Key, typename Value>
using UnorderedMap = std::unordered_map<Key, Value>;
} // namespace impl
} // namespace fruit
#else
#include <google/dense_hash_map>
namespace fruit {
namespace impl {
template <typename Key, typename Value>
using UnorderedMap = google::dense_hash_map<Key, Value>;
} // namespace impl
} // namespace fruit
#endif
#endif // FRUIT_UNORDERED_MAP_H
| Use the old include path for sparsehash to support older versions of sparsehash (still currently used in Ubuntu and Fedora). | Use the old include path for sparsehash to support older versions of sparsehash (still currently used in Ubuntu and Fedora).
| C | apache-2.0 | d/fruit,google/fruit,google/fruit,google/fruit,d/fruit,d/fruit |
64d0405834a9228234f2d3f8b80503d4c7309515 | include/matrix_constructors_impl.h | include/matrix_constructors_impl.h | //-----------------------------------------------------------------------------
// Constructors
//-----------------------------------------------------------------------------
template<class T>
matrix<T>::matrix():data_(),rows_(0),cols_(0){}
template<class T>
matrix<T>::matrix( std::size_t rows, std::size_t cols ):
data_(rows*cols),rows_(rows),cols_(cols){}
template<class T>
matrix<T>::matrix( std::initializer_list<std::initializer_list<T>> init_list):
data_( make_vector(init_list) ),
rows_(init_list.size()),cols_( init_list.begin()->size() ){}
| //-----------------------------------------------------------------------------
// Constructors
//-----------------------------------------------------------------------------
template<class T>
matrix<T>::matrix():data_(),rows_(0),cols_(0){}
template<class T>
matrix<T>::matrix( std::size_t rows, std::size_t cols ):
data_(rows*cols),rows_(rows),cols_(cols){}
template<class T>
matrix<T>::matrix( std::initializer_list<std::initializer_list<T>> init_list):
data_( make_vector(init_list) ),
rows_(init_list.size()),cols_( init_list.begin()->size() ){}
// !!!
//
// Is "init_list.begin()->size()" ok if init_list = {} ?
//
// !!!
| Add question comment to constructor. | Add question comment to constructor.
| C | mit | actinium/cppMatrix,actinium/cppMatrix |
5cbfdaeb02fcf303e0b8d00b0ba4a91ba8320f53 | wayland/input_device.h | wayland/input_device.h | // Copyright 2013 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.
#ifndef OZONE_WAYLAND_INPUT_DEVICE_H_
#define OZONE_WAYLAND_INPUT_DEVICE_H_
#include <wayland-client.h>
#include "base/basictypes.h"
namespace ozonewayland {
class WaylandKeyboard;
class WaylandPointer;
class WaylandDisplay;
class WaylandWindow;
class WaylandInputDevice {
public:
WaylandInputDevice(WaylandDisplay* display, uint32_t id);
~WaylandInputDevice();
wl_seat* GetInputSeat() { return input_seat_; }
WaylandKeyboard* GetKeyBoard() const { return input_keyboard_; }
WaylandPointer* GetPointer() const { return input_pointer_; }
unsigned GetFocusWindowHandle() { return focused_window_handle_; }
void SetFocusWindowHandle(unsigned windowhandle);
private:
static void OnSeatCapabilities(void *data,
wl_seat *seat,
uint32_t caps);
// Keeps track of current focused window.
unsigned focused_window_handle_;
wl_seat* input_seat_;
WaylandKeyboard* input_keyboard_;
WaylandPointer* input_pointer_;
DISALLOW_COPY_AND_ASSIGN(WaylandInputDevice);
};
} // namespace ozonewayland
#endif // OZONE_WAYLAND_INPUT_DEVICE_H_
| // Copyright 2013 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.
#ifndef OZONE_WAYLAND_INPUT_DEVICE_H_
#define OZONE_WAYLAND_INPUT_DEVICE_H_
#include <wayland-client.h>
#include "base/basictypes.h"
namespace ozonewayland {
class WaylandKeyboard;
class WaylandPointer;
class WaylandDisplay;
class WaylandWindow;
class WaylandInputDevice {
public:
WaylandInputDevice(WaylandDisplay* display, uint32_t id);
~WaylandInputDevice();
wl_seat* GetInputSeat() const { return input_seat_; }
WaylandKeyboard* GetKeyBoard() const { return input_keyboard_; }
WaylandPointer* GetPointer() const { return input_pointer_; }
unsigned GetFocusWindowHandle() const { return focused_window_handle_; }
void SetFocusWindowHandle(unsigned windowhandle);
private:
static void OnSeatCapabilities(void *data,
wl_seat *seat,
uint32_t caps);
// Keeps track of current focused window.
unsigned focused_window_handle_;
wl_seat* input_seat_;
WaylandKeyboard* input_keyboard_;
WaylandPointer* input_pointer_;
DISALLOW_COPY_AND_ASSIGN(WaylandInputDevice);
};
} // namespace ozonewayland
#endif // OZONE_WAYLAND_INPUT_DEVICE_H_
| Make read only functions as const. | Inputs: Make read only functions as const.
Adds missing const keyword for Read only functions in WaylandInputDevice.
| C | bsd-3-clause | 01org/ozone-wayland,hongzhang-yan/ozone-wayland,rakuco/ozone-wayland,baillaw/ozone-wayland,qjia7/ozone-wayland,joone/ozone-wayland,nagineni/ozone-wayland,hongzhang-yan/ozone-wayland,kishansheshagiri/ozone-wayland,darktears/ozone-wayland,kuscsik/ozone-wayland,siteshwar/ozone-wayland,Tarnyko/ozone-wayland,Tarnyko/ozone-wayland,siteshwar/ozone-wayland,01org/ozone-wayland,kishansheshagiri/ozone-wayland,shaochangbin/ozone-wayland,hongzhang-yan/ozone-wayland,darktears/ozone-wayland,sjnewbury/ozone-wayland,clopez/ozone-wayland,joone/ozone-wayland,siteshwar/ozone-wayland,nicoguyo/ozone-wayland,01org/ozone-wayland,clopez/ozone-wayland,speedpat/ozone-wayland,mrunalk/ozone-wayland,shaochangbin/ozone-wayland,racarr-ubuntu/ozone-mir,tiagovignatti/ozone-wayland,joone/ozone-wayland,darktears/ozone-wayland,nicoguyo/ozone-wayland,ds-hwang/ozone-wayland,likewise/ozone-wayland,joone/ozone-wayland,AndriyP/ozone-wayland,hongzhang-yan/ozone-wayland,speedpat/ozone-wayland,shaochangbin/ozone-wayland,kuscsik/ozone-wayland,nagineni/ozone-wayland,baillaw/ozone-wayland,sjnewbury/ozone-wayland,kuscsik/ozone-wayland,kalyankondapally/ozone-wayland,nagineni/ozone-wayland,AndriyP/ozone-wayland,rakuco/ozone-wayland,AndriyP/ozone-wayland,kishansheshagiri/ozone-wayland,AndriyP/ozone-wayland,nicoguyo/ozone-wayland,baillaw/ozone-wayland,racarr-ubuntu/ozone-mir,nicoguyo/ozone-wayland,kuscsik/ozone-wayland,darktears/ozone-wayland,qjia7/ozone-wayland,rakuco/ozone-wayland,01org/ozone-wayland,tiagovignatti/ozone-wayland,ds-hwang/ozone-wayland,mrunalk/ozone-wayland,baillaw/ozone-wayland,speedpat/ozone-wayland,mrunalk/ozone-wayland,speedpat/ozone-wayland,kalyankondapally/ozone-wayland,Tarnyko/ozone-wayland,nagineni/ozone-wayland,likewise/ozone-wayland,qjia7/ozone-wayland,mrunalk/ozone-wayland,likewise/ozone-wayland,kalyankondapally/ozone-wayland,shaochangbin/ozone-wayland,sjnewbury/ozone-wayland,likewise/ozone-wayland,siteshwar/ozone-wayland,rakuco/ozone-wayland,ds-hwang/ozone-wayland,tiagovignatti/ozone-wayland,kalyankondapally/ozone-wayland,racarr-ubuntu/ozone-mir,kishansheshagiri/ozone-wayland,Tarnyko/ozone-wayland,qjia7/ozone-wayland,clopez/ozone-wayland,sjnewbury/ozone-wayland,tiagovignatti/ozone-wayland,racarr-ubuntu/ozone-mir,clopez/ozone-wayland,ds-hwang/ozone-wayland |
1211ce98a12c4990d6d506cbdb9fb5024ad0100a | services/inputaxis.h | services/inputaxis.h | #ifndef INPUT_AXIS_H
#define INPUT_AXIS_H
#include "../services.h"
#include <stdbool.h>
typedef struct {
bool invert;
bool enabled;
/* Deadzone */
double negative_deadzone;
double positive_deadzone;
/* Max/min */
double negative_maximum;
double positive_maximum;
} axis_config;
typedef struct {
const char* name;
double value;
axis_config* settings;
} inputaxis;
typedef struct {
size_t num_inputaxes;
inputaxis* axes;
} inputaxis_data;
const axis_config* default_settings();
double get_input_for_axis(void*, const char*);
int update_axis_value(inputaxis_data*, const char* name, double val);
int create_axis(inputaxis_data*, const char* name, axis_config*);
int delete_axis(inputaxis_data*, const char* name, axis_config**);
axis_config* get_axis_settings(inputaxis_data*, const char* name);
int set_axis_settings(inputaxis_data*, const char* name, axis_config* settings);
input* create_inputaxis();
inputaxis_data* delete_inputaxis(input*);
#endif /* INPUT_AXIS_H */
| #ifndef INPUT_AXIS_H
#define INPUT_AXIS_H
#include "../services.h"
#include <stdbool.h>
typedef struct {
bool invert;
bool enabled;
/* Deadzone */
double negative_deadzone;
double positive_deadzone;
/* Max/min */
double negative_maximum;
double positive_maximum;
} axis_config;
typedef struct {
const char* name;
double value;
axis_config* settings;
} inputaxis;
typedef struct {
size_t num_inputaxes;
inputaxis* axes;
} inputaxis_data;
const axis_config* default_settings();
double get_input_for_axis(void*, const char*);
int update_axis_value(inputaxis_data*, const char* name, double val);
void reset_axis_values(inputaxis_data* d);
int create_axis(inputaxis_data*, const char* name, axis_config*);
int delete_axis(inputaxis_data*, const char* name, axis_config**);
axis_config* get_axis_settings(inputaxis_data*, const char* name);
int set_axis_settings(inputaxis_data*, const char* name, axis_config* settings);
input* create_inputaxis();
inputaxis_data* delete_inputaxis(input*);
#endif /* INPUT_AXIS_H */
| Add new function to header | Add new function to header
| C | mit | n00bDooD/geng,n00bDooD/geng,n00bDooD/geng |
ebb41c4ea260ab9905c7697648e2d1bb4b3914c8 | client.c | client.c | #include <stdio.h>
#include <sys/socket.h>
#include <netdb.h>
#include <string.h>
#include <unistd.h>
int main(int argc, char *argv[])
{
char *host = "127.0.0.1";
int port = 2000;
int timeout = 2;
int sockfd, n;
char buffer[256];
struct sockaddr_in serv_addr;
struct hostent *server;
struct timeval tv;
tv.tv_sec = timeout;
server = gethostbyname(host);
bcopy((char *)server->h_addr, (char *)&serv_addr.sin_addr.s_addr, server->h_length);
serv_addr.sin_port = htons(port);
serv_addr.sin_family = AF_INET;
sockfd = socket(AF_INET, SOCK_STREAM, 0);
setsockopt(sockfd, SOL_SOCKET, SO_RCVTIMEO, &tv, sizeof(struct timeval));
setsockopt(sockfd, SOL_SOCKET, SO_SNDTIMEO, &tv, sizeof(struct timeval));
connect(sockfd, (struct sockaddr *)&serv_addr, sizeof(serv_addr));
n = read(sockfd, buffer, 255);
if (n < 0) {
perror("error reading from socket");
return 1;
}
printf("%s\n", buffer);
return 0;
}
| #include <stdio.h>
#include <sys/socket.h>
#include <netdb.h>
#include <string.h>
#include <unistd.h>
int main(int argc, char *argv[])
{
char *host = "127.0.0.1";
int port = 2000;
int timeout = 2;
int sockfd, n;
char buffer[256];
struct sockaddr_in serv_addr;
struct hostent *server;
struct timeval tv;
tv.tv_sec = timeout;
tv.tv_usec = 0;
server = gethostbyname(host);
bcopy((char *)server->h_addr, (char *)&serv_addr.sin_addr.s_addr, server->h_length);
serv_addr.sin_port = htons(port);
serv_addr.sin_family = AF_INET;
sockfd = socket(AF_INET, SOCK_STREAM, 0);
setsockopt(sockfd, SOL_SOCKET, SO_RCVTIMEO, &tv, sizeof(struct timeval));
setsockopt(sockfd, SOL_SOCKET, SO_SNDTIMEO, &tv, sizeof(struct timeval));
connect(sockfd, (struct sockaddr *)&serv_addr, sizeof(serv_addr));
n = read(sockfd, buffer, 255);
if (n < 0) {
perror("error reading from socket");
return 1;
}
printf("%s\n", buffer);
return 0;
}
| Fix for Ubuntu 14.04, CentOS should work too | Fix for Ubuntu 14.04, CentOS should work too
Assign zero to tv.tv_usec, or it maybe any value.
The c version tiemout works on Ubuntu 14.04 after my fix. | C | mit | moret/socket-read-timeout,moret/socket-read-timeout |
84ce51804b0bef5931a83fb48a5dbafc1e793443 | cc1/tests/test017.c | cc1/tests/test017.c | /*
name: TEST017
description: Basic test about pointers and structs
output:
F1
G9 F1 main
{
-
S2 s1
(
M3 I y
M4 I z
)
A2 S2 nested
S6 s2
(
M8 P p
)
A3 S6 v
A3 M8 .P A2 'P :P
A3 M8 .P @S2 M3 .I #I1 :I
A3 M8 .P @S2 M4 .I #I2 :I
j L4 A2 M3 .I #I1 =I
yI #I1
L4
j L5 A2 M4 .I #I2 =I
yI #I2
L5
yI #I0
}
*/
#line 1
struct s1 {
int y;
int z;
};
struct s2 {
struct s1 *p;
};
int main()
{
struct s1 nested;
struct s2 v;
v.p = &nested;
v.p->y = 1;
v.p->z = 2;
if (nested.y != 1)
return 1;
if (nested.z != 2)
return 2;
return 0;
}
| Add basic test about pointer and structs | Add basic test about pointer and structs
| C | mit | 8l/scc,k0gaMSX/kcc,k0gaMSX/kcc,k0gaMSX/scc,k0gaMSX/scc,8l/scc,k0gaMSX/scc,8l/scc |
|
43a917f2aefddfde5c9292fa2fa2267e3fd9751e | common.h | common.h | #pragma once
#define pi (3.14159265358979323846)
#define abort_on_error(where, error) ({ \
typeof(where) _where = where; \
typeof(error) _error = error; \
\
if(_error) { \
fprintf( \
stderr, \
__FILE__ ":%d: %s error (%#x).\n", \
__LINE__, \
_where, \
_error \
); \
} \
})
| #pragma once
#include <stdlib.h>
#define pi (3.14159265358979323846)
#define abort_on_error(where, error) ({ \
typeof(where) _where = where; \
typeof(error) _error = error; \
\
if(_error) { \
fprintf( \
stderr, \
__FILE__ ":%d: %s error (%#x).\n", \
__LINE__, \
_where, \
_error \
); \
\
exit(-1); \
} \
})
| Fix abort_on_error: Don't forget to exit(-1). | Fix abort_on_error: Don't forget to exit(-1).
| C | agpl-3.0 | sonetto/lloyd,sonetto/lloyd |
ad6cd72787fdee1d56e5589c9bc07df4f5e8b4d8 | clangd/FSProvider.h | clangd/FSProvider.h | //===--- FSProvider.h - VFS provider for ClangdServer ------------*- C++-*-===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
#ifndef LLVM_CLANG_TOOLS_EXTRA_CLANGD_FSPROVIDER_H
#define LLVM_CLANG_TOOLS_EXTRA_CLANGD_FSPROVIDER_H
#include "llvm/ADT/IntrusiveRefCntPtr.h"
#include "llvm/Support/VirtualFileSystem.h"
namespace clang {
namespace clangd {
// Wrapper for vfs::FileSystem for use in multithreaded programs like clangd.
// As FileSystem is not threadsafe, concurrent threads must each obtain one.
class FileSystemProvider {
public:
virtual ~FileSystemProvider() = default;
/// Called by ClangdServer to obtain a vfs::FileSystem to be used for parsing.
/// Context::current() will be the context passed to the clang entrypoint,
/// such as addDocument(), and will also be propagated to result callbacks.
/// Embedders may use this to isolate filesystem accesses.
virtual IntrusiveRefCntPtr<llvm::vfs::FileSystem> getFileSystem() const = 0;
};
class RealFileSystemProvider : public FileSystemProvider {
public:
// FIXME: returns the single real FS instance, which is not threadsafe.
IntrusiveRefCntPtr<llvm::vfs::FileSystem> getFileSystem() const override {
return llvm::vfs::getRealFileSystem();
}
};
} // namespace clangd
} // namespace clang
#endif
| //===--- FSProvider.h - VFS provider for ClangdServer ------------*- C++-*-===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
#ifndef LLVM_CLANG_TOOLS_EXTRA_CLANGD_FSPROVIDER_H
#define LLVM_CLANG_TOOLS_EXTRA_CLANGD_FSPROVIDER_H
#include "llvm/ADT/IntrusiveRefCntPtr.h"
#include "llvm/Support/VirtualFileSystem.h"
namespace clang {
namespace clangd {
// Wrapper for vfs::FileSystem for use in multithreaded programs like clangd.
// As FileSystem is not threadsafe, concurrent threads must each obtain one.
class FileSystemProvider {
public:
virtual ~FileSystemProvider() = default;
/// Called by ClangdServer to obtain a vfs::FileSystem to be used for parsing.
/// Context::current() will be the context passed to the clang entrypoint,
/// such as addDocument(), and will also be propagated to result callbacks.
/// Embedders may use this to isolate filesystem accesses.
virtual llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem>
getFileSystem() const = 0;
};
class RealFileSystemProvider : public FileSystemProvider {
public:
// FIXME: returns the single real FS instance, which is not threadsafe.
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem>
getFileSystem() const override {
return llvm::vfs::getRealFileSystem();
}
};
} // namespace clangd
} // namespace clang
#endif
| Fix the qualification of `IntrusiveRefCntPtr` to use `llvm::`. | Fix the qualification of `IntrusiveRefCntPtr` to use `llvm::`.
Without this, the code only compiled if the header was included after
something introduced the alias from `clang::` to `llvm::` for this type.
Any modules build would fail here.
git-svn-id: a34e9779ed74578ad5922b3306b3d80a0c825546@344225 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang-tools-extra,llvm-mirror/clang-tools-extra,llvm-mirror/clang-tools-extra,llvm-mirror/clang-tools-extra |
bd2d4478e5228b3a9c67e7b36ce018afb400ff7d | ionAsset/IUniform.h | ionAsset/IUniform.h |
#pragma once
#include <ionGL.h>
typedef ion::GL::Uniform IUniform;
template <typename T>
using CUniformValue = ion::GL::UniformValue<T>;
template <typename T>
using CUniformReference = ion::GL::UniformReference<T>;
|
#pragma once
#include <ionGL.h>
typedef ion::GL::Uniform IUniform;
template <typename T>
using CUniformValue = ion::GL::UniformValue<T>;
template <typename T>
using CUniformReference = ion::GL::UniformReference<T>;
typedef ion::GL::VertexBuffer CVertexBuffer;
typedef ion::GL::IndexBuffer CIndexBuffer;
| Add typedefs for VertexBuffer, IndexBuffer in GL | Add typedefs for VertexBuffer, IndexBuffer in GL
| C | mit | iondune/ionEngine,iondune/ionEngine |
fe229791e558fe9156e74d5e0ef3679c1a99fb13 | includes/iloglistener.h | includes/iloglistener.h | // Copyright 2016 Airtame
#ifndef MANAGEDEVICE_LOGGING_ILOGLISTENER_H_
#define MANAGEDEVICE_LOGGING_ILOGLISTENER_H_
#include <string>
// Forward declarations.
enum class ELogLevel;
class ILogListener {
public:
virtual ~ILogListener() {}
virtual void Notify(const std::string& iLog, ELogLevel iLevel) = 0;
};
#endif // MANAGEDEVICE_LOGGING_ILOGLISTENER_H_
| // Copyright 2016 Pierre Fourgeaud
#ifndef PF_ILOGLISTENER_H_
#define PF_ILOGLISTENER_H_
#include <string>
// Forward declarations.
enum class ELogLevel;
/**
* @brief The ILogListener class
*
* Define an interface to implement when creating a new LogListener.
* SimpleLogger provide 3 default listeners: Buffer, File, Console.
*
* Implement this class if you want to create your own listener.
*/
class ILogListener {
public:
/**
* Virtual destructor.
*/
virtual ~ILogListener() {}
/**
* Pure virtual method to implement when implementing this interface.
* Method called when getting notified.
*
* @params iLog The string representing the messag to log
* @params iLevel Log level of this message
*/
virtual void Notify(const std::string& iLog, ELogLevel iLevel) = 0;
};
#endif // PF_ILOGLISTENER_H_
| Update ILogListener interface with docs | Update ILogListener interface with docs
| C | mit | pierrefourgeaud/SimpleLogger |
21c61e46afee3db7179afdb54eb43461d2e7e90b | Runtime/Rendering/ConstantBufferDX11.h | Runtime/Rendering/ConstantBufferDX11.h | #pragma once
#include "Rendering/BufferDX11.h"
#include "Rendering/ShaderDX11.h"
namespace Mile
{
class MEAPI ConstantBufferDX11 : public BufferDX11
{
public:
ConstantBufferDX11(RendererDX11* renderer);
~ConstantBufferDX11();
bool Init(unsigned int size);
virtual ERenderResourceType GetResourceType() const override { return ERenderResourceType::ConstantBuffer; }
virtual void* Map(ID3D11DeviceContext& deviceContext) override;
virtual bool UnMap(ID3D11DeviceContext& deviceContext) override;
bool Bind(ID3D11DeviceContext& deviceContext, unsigned int slot, EShaderType shaderType);
void Unbind(ID3D11DeviceContext& deviceContext);
FORCEINLINE bool IsBound() const { return m_bIsBound; }
FORCEINLINE unsigned int GetBoundSlot() const { return m_boundSlot; }
FORCEINLINE EShaderType GetBoundShaderType() const { return m_boundShader; }
private:
bool m_bIsBound;
unsigned int m_boundSlot;
EShaderType m_boundShader;
};
} | #pragma once
#include "Rendering/BufferDX11.h"
#include "Rendering/ShaderDX11.h"
namespace Mile
{
class MEAPI ConstantBufferDX11 : public BufferDX11
{
public:
ConstantBufferDX11(RendererDX11* renderer);
~ConstantBufferDX11();
bool Init(unsigned int size);
template <typename Buffer>
bool Init()
{
return Init(sizeof(Buffer));
}
virtual ERenderResourceType GetResourceType() const override { return ERenderResourceType::ConstantBuffer; }
virtual void* Map(ID3D11DeviceContext& deviceContext) override;
virtual bool UnMap(ID3D11DeviceContext& deviceContext) override;
bool Bind(ID3D11DeviceContext& deviceContext, unsigned int slot, EShaderType shaderType);
void Unbind(ID3D11DeviceContext& deviceContext);
FORCEINLINE bool IsBound() const { return m_bIsBound; }
FORCEINLINE unsigned int GetBoundSlot() const { return m_boundSlot; }
FORCEINLINE EShaderType GetBoundShaderType() const { return m_boundShader; }
private:
bool m_bIsBound;
unsigned int m_boundSlot;
EShaderType m_boundShader;
};
} | Add template Init method for ConstantBuffer | Add template Init method for ConstantBuffer
| C | mit | HoRangDev/MileEngine,HoRangDev/MileEngine |
3502deee1a93e86a97fb22df1cdb512c5a643dd6 | test/PCH/functions.c | test/PCH/functions.c | // Test this without pch.
// RUN: clang-cc -include %S/functions.h -fsyntax-only -verify %s &&
// Test with pch.
// RUN: clang-cc -emit-pch -o %t %S/functions.h &&
// RUN: clang-cc -include-pch %t -fsyntax-only -verify %s
int f0(int x0, int y0, ...) { return x0 + y0; }
float *test_f1(int val, double x, double y) {
if (val > 5)
return f1(x, y);
else
return f1(x); // expected-error{{too few arguments to function call}}
return 0;
}
void test_g0(int *x, float * y) {
g0(y); // expected-warning{{incompatible pointer types passing 'float *', expected 'int *'}}
g0(x);
}
| // Test this without pch.
// RUN: clang-cc -include %S/functions.h -fsyntax-only -verify %s &&
// Test with pch.
// RUN: clang-cc -emit-pch -o %t %S/functions.h &&
// RUN: clang-cc -include-pch %t -fsyntax-only -verify %s
int f0(int x0, int y0, ...) { return x0 + y0; }
float *test_f1(int val, double x, double y) {
if (val > 5)
return f1(x, y);
else
return f1(x); // expected-error{{too few arguments to function call}}
}
void test_g0(int *x, float * y) {
g0(y); // expected-warning{{incompatible pointer types passing 'float *', expected 'int *'}}
g0(x);
}
| Revert this, we can now avoid error cascades better. | Revert this, we can now avoid error cascades better.
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@76691 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang |
3d8ad86be25865eee842ca5e683ac3f525dc8783 | config/config_kmalloc.h | config/config_kmalloc.h | /* SPDX-License-Identifier: BSD-2-Clause */
/*
* This is a TEMPLATE. The actual config file is generated by CMake and stored
* in <BUILD_DIR>/tilck_gen_headers/.
*/
#pragma once
#include <tilck_gen_headers/config_global.h>
/* --------- Boolean config variables --------- */
#cmakedefine01 KMALLOC_FREE_MEM_POISONING
#cmakedefine01 KMALLOC_HEAVY_STATS
#cmakedefine01 KMALLOC_SUPPORT_DEBUG_LOG
#cmakedefine01 KMALLOC_SUPPORT_LEAK_DETECTOR
/*
* --------------------------------------------------------------------------
* Hard-coded global & derived constants
* --------------------------------------------------------------------------
*
* Here below there are many dervied constants and convenience constants like
* COMPILER_NAME along with some pseudo-constants like USERMODE_VADDR_END not
* designed to be easily changed because of the code makes assumptions about
* them. Because of that, those constants are hard-coded and not available as
* CMake variables. With time, some of those constants get "promoted" and moved
* in CMake, others remain here. See the comments and think about the potential
* implications before promoting a hard-coded constant to a configurable CMake
* variable.
*/
#if !KERNEL_GCOV
#define KMALLOC_FIRST_HEAP_SIZE ( 128 * KB)
#else
#define KMALLOC_FIRST_HEAP_SIZE ( 512 * KB)
#endif
| /* SPDX-License-Identifier: BSD-2-Clause */
/*
* This is a TEMPLATE. The actual config file is generated by CMake and stored
* in <BUILD_DIR>/tilck_gen_headers/.
*/
#pragma once
#include <tilck_gen_headers/config_global.h>
/* --------- Boolean config variables --------- */
#cmakedefine01 KMALLOC_FREE_MEM_POISONING
#cmakedefine01 KMALLOC_HEAVY_STATS
#cmakedefine01 KMALLOC_SUPPORT_DEBUG_LOG
#cmakedefine01 KMALLOC_SUPPORT_LEAK_DETECTOR
/*
* --------------------------------------------------------------------------
* Hard-coded global & derived constants
* --------------------------------------------------------------------------
*
* Here below there are many dervied constants and convenience constants like
* COMPILER_NAME along with some pseudo-constants like USERMODE_VADDR_END not
* designed to be easily changed because of the code makes assumptions about
* them. Because of that, those constants are hard-coded and not available as
* CMake variables. With time, some of those constants get "promoted" and moved
* in CMake, others remain here. See the comments and think about the potential
* implications before promoting a hard-coded constant to a configurable CMake
* variable.
*/
#if KERNEL_MAX_SIZE <= 1024 * KB
#define KMALLOC_FIRST_HEAP_SIZE ( 128 * KB)
#else
#define KMALLOC_FIRST_HEAP_SIZE ( 512 * KB)
#endif
| Make KMALLOC_FIRST_HEAP_SIZE depend on KERNEL_MAX_SIZE | [config] Make KMALLOC_FIRST_HEAP_SIZE depend on KERNEL_MAX_SIZE
| C | bsd-2-clause | vvaltchev/experimentOs,vvaltchev/experimentOs,vvaltchev/experimentOs,vvaltchev/experimentOs |
bfcf057787d6ce78c503ce8f7773ea316eae0b13 | src/rtmixer.h | src/rtmixer.h | // actions:
//
// * read from queue
// * read from array
// * write to queue
// * write to array
// * stop action (with and/or without time?)
// * query xrun stats etc.
// timestamp! start, duration (number of samples? unlimited?)
// return values: actual start, actual duration (number of samples?)
// queue usage: store smallest available write/read size
// xruns during the runtime of the current action
//
// if queue is empty/full, stop playback/recording
enum actiontype
{
PLAY_BUFFER,
PLAY_RINGBUFFER,
RECORD_BUFFER,
RECORD_RINGBUFFER,
};
struct action
{
enum actiontype actiontype;
struct action* next;
union {
float* buffer;
PaUtilRingBuffer* ringbuffer;
};
unsigned long total_frames;
unsigned long done_frames;
// TODO: channel mapping (pointer to list of channels + length)
// TODO: something to store the result of the action?
};
struct state
{
int input_channels;
int output_channels;
PaUtilRingBuffer* action_q; // Queue for incoming commands
PaUtilRingBuffer* result_q; // Queue for results and command disposal
struct action* actions; // Singly linked list of actions
};
int callback(const void* input, void* output, unsigned long frames
, const PaStreamCallbackTimeInfo* time, PaStreamCallbackFlags status
, void* userdata);
| // actions:
//
// * read from queue
// * read from array
// * write to queue
// * write to array
// * stop action (with and/or without time?)
// * query xrun stats etc.
// timestamp! start, duration (number of samples? unlimited?)
// return values: actual start, actual duration (number of samples?)
// queue usage: store smallest available write/read size
// xruns during the runtime of the current action
//
// if queue is empty/full, stop playback/recording
enum actiontype
{
PLAY_BUFFER,
PLAY_RINGBUFFER,
RECORD_BUFFER,
RECORD_RINGBUFFER,
};
struct action
{
const enum actiontype actiontype;
struct action* next;
union {
float* const buffer;
PaUtilRingBuffer* const ringbuffer;
};
const unsigned long total_frames;
unsigned long done_frames;
// TODO: channel mapping (pointer to list of channels + length)
// TODO: something to store the result of the action?
};
struct state
{
const int input_channels;
const int output_channels;
PaUtilRingBuffer* const action_q; // Queue for incoming commands
PaUtilRingBuffer* const result_q; // Queue for results and command disposal
struct action* actions; // Singly linked list of actions
};
int callback(const void* input, void* output, unsigned long frames
, const PaStreamCallbackTimeInfo* time, PaStreamCallbackFlags status
, void* userdata);
| Use const for struct members | Use const for struct members
| C | mit | mgeier/python-rtmixer,mgeier/python-rtmixer |
5986c9fde186378b26f7a5985c97102feba191e8 | KTp/error-dictionary.h | KTp/error-dictionary.h | /*
Telepathy error dictionary - usable strings for dbus messages
Copyright (C) 2011 Martin Klapetek <[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.1 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
*/
#ifndef ERROR_DICTIONARY_H
#define ERROR_DICTIONARY_H
#include <QString>
#include <KTp/ktp-export.h>
namespace KTp
{
namespace ErrorDictionary
{
///Returns a verbose error message usable for displaying to the user
KTP_EXPORT QString displayVerboseErrorMessage(const QString& dbusErrorName);
///Returns a short error message usable for little space
KTP_EXPORT QString displayShortErrorMessage(const QString& dbusErrorName);
}
}
#endif // ERROR_DICTIONARY_H
| /*
Telepathy error dictionary - usable strings for dbus messages
Copyright (C) 2011 Martin Klapetek <[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.1 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
*/
#ifndef ERROR_DICTIONARY_H
#define ERROR_DICTIONARY_H
#include <QString>
#include <KTp/ktp-export.h>
namespace KTp
{
/**
* @short A method of turning error codes into human readable strings
*
*/
namespace ErrorDictionary
{
/**Returns a verbose error message suitable for displaying to the user
@param dbusErrorName The Telepathy error as specified in http://telepathy.freedesktop.org/spec/errors.html
*/
KTP_EXPORT QString displayVerboseErrorMessage(const QString& dbusErrorName);
/**Returns a short error message suitable when there is little space
@param dbusErrorName The Telepathy error as specified in http://telepathy.freedesktop.org/spec/errors.html
*/
KTP_EXPORT QString displayShortErrorMessage(const QString& dbusErrorName);
}
}
#endif // ERROR_DICTIONARY_H
| Add documentation to Error Dictionary class | Add documentation to Error Dictionary class
Reviewed-by: Martin Klapetek
| C | lgpl-2.1 | KDE/ktp-common-internals,leonhandreke/ktp-common-internals,KDE/ktp-common-internals,KDE/ktp-common-internals,leonhandreke/ktp-common-internals,leonhandreke/ktp-common-internals |
41ee615c0b08e43dc382bc15600f814ac02abf06 | chip/stm32/usb-stm32f3.c | chip/stm32/usb-stm32f3.c | /* Copyright (c) 2014 The Chromium OS Authors. All rights reserved.
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*
* STM32F3 Family specific USB functionality
*/
#include "usb-stm32f3.h"
#include "usb_api.h"
void usb_connect(void)
{
usb_board_connect();
}
void usb_disconnect(void)
{
usb_board_connect();
}
| /* Copyright (c) 2014 The Chromium OS Authors. All rights reserved.
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*
* STM32F3 Family specific USB functionality
*/
#include "usb-stm32f3.h"
#include "usb_api.h"
void usb_connect(void)
{
usb_board_connect();
}
void usb_disconnect(void)
{
usb_board_disconnect();
}
| Fix cut and paste bug for board specific disconnection | USB: Fix cut and paste bug for board specific disconnection
Signed-off-by: Anton Staaf <[email protected]>
BRANCH=None
BUG=None
TEST=make buildall -j
Change-Id: I8ec4396370b7e3068d29d569b73fddc648e1f76f
Reviewed-on: https://chromium-review.googlesource.com/247720
Trybot-Ready: Anton Staaf <[email protected]>
Tested-by: Anton Staaf <[email protected]>
Reviewed-by: Vic Yang <[email protected]>
Commit-Queue: Anton Staaf <[email protected]>
| C | bsd-3-clause | akappy7/ChromeOS_EC_LED_Diagnostics,fourier49/BIZ_EC,fourier49/BIZ_EC,fourier49/BZ_DEV_EC,coreboot/chrome-ec,md5555/ec,md5555/ec,akappy7/ChromeOS_EC_LED_Diagnostics,eatbyte/chromium-ec,coreboot/chrome-ec,fourier49/BZ_DEV_EC,eatbyte/chromium-ec,fourier49/BZ_DEV_EC,coreboot/chrome-ec,eatbyte/chromium-ec,fourier49/BZ_DEV_EC,akappy7/ChromeOS_EC_LED_Diagnostics,coreboot/chrome-ec,coreboot/chrome-ec,akappy7/ChromeOS_EC_LED_Diagnostics,fourier49/BIZ_EC,md5555/ec,md5555/ec,fourier49/BIZ_EC,coreboot/chrome-ec,eatbyte/chromium-ec,akappy7/ChromeOS_EC_LED_Diagnostics |
d07295d73267c51bf3d77b97831640db832bacb5 | samples/libcurl/callbacks.h | samples/libcurl/callbacks.h | #include <stdio.h>
// Those types are needed but not defined or used in libcurl headers.
typedef size_t header_callback(char *buffer, size_t size, size_t nitems, void *userdata);
typedef size_t write_data_callback(void *buffer, size_t size, size_t nmemb, void *userp);
extern void something_using_callback1(header_callback*);
extern void something_using_callback2(write_data_callback*);
| #include <stddef.h>
// Those types are needed but not defined or used in libcurl headers.
typedef size_t header_callback(char *buffer, size_t size, size_t nitems, void *userdata);
typedef size_t write_data_callback(void *buffer, size_t size, size_t nmemb, void *userp);
| Remove some hacks from libcurl sample | Remove some hacks from libcurl sample
| C | apache-2.0 | JetBrains/kotlin-native,jiaminglu/kotlin-native,JuliusKunze/kotlin-native,wiltonlazary/kotlin-native,JetBrains/kotlin-native,JetBrains/kotlin-native,jiaminglu/kotlin-native,JuliusKunze/kotlin-native,JuliusKunze/kotlin-native,JuliusKunze/kotlin-native,JetBrains/kotlin-native,JuliusKunze/kotlin-native,JetBrains/kotlin-native,jiaminglu/kotlin-native,jiaminglu/kotlin-native,JetBrains/kotlin-native,wiltonlazary/kotlin-native,jiaminglu/kotlin-native,JuliusKunze/kotlin-native,jiaminglu/kotlin-native,wiltonlazary/kotlin-native,wiltonlazary/kotlin-native,JuliusKunze/kotlin-native,JuliusKunze/kotlin-native,jiaminglu/kotlin-native,wiltonlazary/kotlin-native,JetBrains/kotlin-native,JetBrains/kotlin-native,JetBrains/kotlin-native,jiaminglu/kotlin-native |
fcb91afaf2823d62453d7c19f66d30bb8dbb7c55 | test/PCH/source-manager-stack.c | test/PCH/source-manager-stack.c | // Test that the source manager has the "proper" idea about the include stack
// when using PCH.
// RUN: echo 'int x;' > %t.prefix.h
// RUN: not clang-cc -fsyntax-only -include %t.prefix.h %s 2> %t.diags.no_pch.txt
// RUN: clang-cc -emit-pch -o %t.prefix.pch %t.prefix.h
// RUN: not clang-cc -fsyntax-only -include-pch %t.prefix.pch %s 2> %t.diags.pch.txt
// RUN: diff %t.diags.no_pch.txt %t.diags.pch.txt
// XFAIL: *
// PR5662
float x;
| Add test case for PR5662. | Add test case for PR5662.
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@90264 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang |
|
0addd9bb7e5fc1bdb38ec1755ac3bd5e8d869a75 | src/python/helpers/python_convert_optional.h | src/python/helpers/python_convert_optional.h | /*ckwg +5
* Copyright 2011 by Kitware, Inc. All Rights Reserved. Please refer to
* KITWARE_LICENSE.TXT for licensing information, or contact General Counsel,
* Kitware, Inc., 28 Corporate Drive, Clifton Park, NY 12065.
*/
#ifndef VISTK_PYTHON_HELPERS_PYTHON_CONVERT_OPTIONAL_H
#define VISTK_PYTHON_HELPERS_PYTHON_CONVERT_OPTIONAL_H
#include <boost/optional.hpp>
#include <boost/python/converter/registry.hpp>
#include <Python.h>
/**
* \file python_convert_any.h
*
* \brief Helpers for working with boost::any in Python.
*/
template <typename T>
class boost_optional_converter
{
public:
typedef T type_t;
typedef boost::optional<T> optional_t;
boost_optional_converter()
{
boost::python::converter::registry::push_back(
&convertible,
&construct,
boost::python::type_id<optional_t>());
}
~boost_optional_converter()
{
}
static void* convertible(PyObject* obj)
{
if (obj == Py_None)
{
return obj;
}
using namespace boost::python::converter;
registration const& converters(registered<type_t>::converters);
if (implicit_rvalue_convertible_from_python(obj, converters))
{
rvalue_from_python_stage1_data data = rvalue_from_python_stage1(obj, converters);
return rvalue_from_python_stage2(obj, data, converters);
}
return NULL;
}
static PyObject* convert(optional_t const& opt)
{
if (opt)
{
return boost::python::to_python_value<T>()(*opt);
}
else
{
return boost::python::detail::none();
}
}
static void construct(PyObject* obj, boost::python::converter::rvalue_from_python_stage1_data* data)
{
void* storage = reinterpret_cast<boost::python::converter::rvalue_from_python_storage<optional_t>*>(data)->storage.bytes;
#define CONSTRUCT(args) \
do \
{ \
new (storage) optional_t args; \
data->convertible = storage; \
return; \
} while (false)
if (obj == Py_None)
{
CONSTRUCT(());
}
else
{
type_t* t = reinterpret_cast<type_t*>(data->convertible);
CONSTRUCT((*t));
}
#undef CONSTRUCT
}
};
#define REGISTER_OPTIONAL_CONVERTER(T) \
do \
{ \
typedef boost_optional_converter<T> converter; \
typedef typename converter::optional_t opt_t; \
to_python_converter<opt_t, converter>(); \
converter(); \
} while (false)
#endif // VISTK_PYTHON_PIPELINE_PYTHON_CONVERT_OPTIONAL_H
| Add boost::optional wrapper for python bindings | Add boost::optional wrapper for python bindings
| C | bsd-3-clause | linus-sherrill/sprokit,mathstuf/sprokit,mathstuf/sprokit,Kitware/sprokit,linus-sherrill/sprokit,Kitware/sprokit,mathstuf/sprokit,mathstuf/sprokit,Kitware/sprokit,linus-sherrill/sprokit,linus-sherrill/sprokit,Kitware/sprokit |
|
8a47f7478c3e73f916a13dd3d0b7cd1e140e21e7 | src/lib/ecore/Ecore_Str.h | src/lib/ecore/Ecore_Str.h | #ifndef _ECORE_STR_H
# define _ECORE_STR_H
#ifdef EAPI
#undef EAPI
#endif
#ifdef WIN32
# ifdef BUILDING_DLL
# define EAPI __declspec(dllexport)
# else
# define EAPI __declspec(dllimport)
# endif
#else
# ifdef __GNUC__
# if __GNUC__ >= 4
# define EAPI __attribute__ ((visibility("default")))
# else
# define EAPI
# endif
# else
# define EAPI
# endif
#endif
/**
* @file Ecore_Data.h
* @brief Contains threading, list, hash, debugging and tree functions.
*/
# ifdef __cplusplus
extern "C" {
# endif
# ifdef __sgi
# define __FUNCTION__ "unknown"
# ifndef __cplusplus
# define inline
# endif
# endif
/* strlcpy implementation for libc's lacking it */
EAPI size_t ecore_strlcpy(char *dst, const char *src, size_t siz);
#ifdef __cplusplus
}
#endif
#endif /* _ECORE_STR_H */
| #ifndef _ECORE_STR_H
# define _ECORE_STR_H
#ifdef EAPI
#undef EAPI
#endif
#ifdef WIN32
# ifdef BUILDING_DLL
# define EAPI __declspec(dllexport)
# else
# define EAPI __declspec(dllimport)
# endif
#else
# ifdef __GNUC__
# if __GNUC__ >= 4
# define EAPI __attribute__ ((visibility("default")))
# else
# define EAPI
# endif
# else
# define EAPI
# endif
#endif
/**
* @file Ecore_Str.h
* @brief Contains useful C string functions.
*/
# ifdef __cplusplus
extern "C" {
# endif
# ifdef __sgi
# define __FUNCTION__ "unknown"
# ifndef __cplusplus
# define inline
# endif
# endif
/* strlcpy implementation for libc's lacking it */
EAPI size_t ecore_strlcpy(char *dst, const char *src, size_t siz);
#ifdef __cplusplus
}
#endif
#endif /* _ECORE_STR_H */
| Fix doxygen comments for new header. | Fix doxygen comments for new header.
git-svn-id: 70cf712206e5b8426a8d7451e052914a94f8fa22@27891 7cbeb6ba-43b4-40fd-8cce-4c39aea84d33
| C | mit | OpenInkpot-archive/ecore,OpenInkpot-archive/ecore,OpenInkpot-archive/ecore |
00d1ca91bb5bb8530e9a9a3b9790ea8a4eec7305 | core/gluonvarianttypes.h | core/gluonvarianttypes.h | /*
<one line to give the program's name and a brief idea of what it does.>
Copyright (C) <year> <name of author>
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 3 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, see <http://www.gnu.org/licenses/>.
*/
///TODO: Make this something entirely different... QVariant wrapped Eigen types, wooh! ;)
#ifndef GLUON_VARIANTTYPES
#define GLUON_VARIANTTYPES
#include <QtCore/QVariant>
#include <QtCore/QMetaType>
#include <Eigen/Geometry>
Q_DECLARE_METATYPE(Eigen::Vector3d)
Q_DECLARE_METATYPE(Eigen::Vector3f)
namespace
{
struct GluonVariantTypes
{
public:
GluonVariantTypes()
{
qRegisterMetaType<Eigen::Vector3d>("Eigen::Vector3d");
qRegisterMetaType<Eigen::Vector3f>("Eigen::Vector3f");
}
};
GluonVariantTypes gluonVariantTypes;
}
#endif
| /*
<one line to give the program's name and a brief idea of what it does.>
Copyright (C) <year> <name of author>
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 3 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, see <http://www.gnu.org/licenses/>.
*/
///TODO: Make this something entirely different... QVariant wrapped Eigen types, wooh! ;)
#ifndef GLUON_VARIANTTYPES
#define GLUON_VARIANTTYPES
#include <QtCore/QVariant>
#include <QtCore/QMetaType>
#include <Eigen/Geometry>
Q_DECLARE_METATYPE(Eigen::Vector3d);
Q_DECLARE_METATYPE(Eigen::Vector3f);
Q_DECLARE_METATYPE(Eigen::Quaternionf);
namespace
{
struct GluonVariantTypes
{
public:
GluonVariantTypes()
{
qRegisterMetaType<Eigen::Vector3d>("Eigen::Vector3d");
qRegisterMetaType<Eigen::Vector3f>("Eigen::Vector3f");
qRegisterMetaType<Eigen::Quaternionf>("Eigen::Quaternionf");
}
};
GluonVariantTypes gluonVariantTypes;
}
#endif
| Add Quaternion to variant types, makes Q_PROPERTY support it | Add Quaternion to variant types, makes Q_PROPERTY support it
| C | lgpl-2.1 | cgaebel/gluon,KDE/gluon,cgaebel/gluon,pranavrc/example-gluon,cgaebel/gluon,pranavrc/example-gluon,pranavrc/example-gluon,cgaebel/gluon,KDE/gluon,pranavrc/example-gluon,KDE/gluon,KDE/gluon |
a62eaa2f7447d930db84f966986736d30ef522bb | src/block/serpent/serpent.h | src/block/serpent/serpent.h | /*
* Serpent
* (C) 1999-2007 Jack Lloyd
*
* Distributed under the terms of the Botan license
*/
#ifndef BOTAN_SERPENT_H__
#define BOTAN_SERPENT_H__
#include <botan/block_cipher.h>
namespace Botan {
/**
* Serpent, an AES finalist
*/
class BOTAN_DLL Serpent : public BlockCipher
{
public:
void encrypt_n(const byte in[], byte out[], u32bit blocks) const;
void decrypt_n(const byte in[], byte out[], u32bit blocks) const;
void clear() { round_key.clear(); }
std::string name() const { return "Serpent"; }
BlockCipher* clone() const { return new Serpent; }
Serpent() : BlockCipher(16, 16, 32, 8) {}
protected:
void key_schedule(const byte key[], u32bit length);
SecureVector<u32bit, 132> round_key;
};
}
#endif
| /*
* Serpent
* (C) 1999-2007 Jack Lloyd
*
* Distributed under the terms of the Botan license
*/
#ifndef BOTAN_SERPENT_H__
#define BOTAN_SERPENT_H__
#include <botan/block_cipher.h>
namespace Botan {
/**
* Serpent, an AES finalist
*/
class BOTAN_DLL Serpent : public BlockCipher
{
public:
void encrypt_n(const byte in[], byte out[], u32bit blocks) const;
void decrypt_n(const byte in[], byte out[], u32bit blocks) const;
void clear() { round_key.clear(); }
std::string name() const { return "Serpent"; }
BlockCipher* clone() const { return new Serpent; }
Serpent() : BlockCipher(16, 16, 32, 8) {}
protected:
/**
* For use by subclasses using SIMD, asm, etc
* @return const reference to the key schedule
*/
const SecureVector<u32bit, 132>& get_round_keys() const
{ return round_key; }
/**
* For use by subclasses that implement the key schedule
* @param ks is the new key schedule value to set
*/
void set_round_keys(const u32bit ks[132])
{ round_key.set(ks, 132); }
private:
void key_schedule(const byte key[], u32bit length);
SecureVector<u32bit, 132> round_key;
};
}
#endif
| Make Serpent's key_schedule and actual round keys private. Add protected accessor functions for get and set. Set is needed by the x86 version since it implements the key schedule directly. | Make Serpent's key_schedule and actual round keys private. Add
protected accessor functions for get and set. Set is needed by the x86
version since it implements the key schedule directly.
| C | bsd-2-clause | randombit/botan,Rohde-Schwarz-Cybersecurity/botan,webmaster128/botan,Rohde-Schwarz-Cybersecurity/botan,Rohde-Schwarz-Cybersecurity/botan,Rohde-Schwarz-Cybersecurity/botan,webmaster128/botan,randombit/botan,Rohde-Schwarz-Cybersecurity/botan,webmaster128/botan,webmaster128/botan,webmaster128/botan,randombit/botan,Rohde-Schwarz-Cybersecurity/botan,randombit/botan,randombit/botan |
edd722e38b883236c9f214d5df309110500b3529 | test/Sema/attr-noreturn.c | test/Sema/attr-noreturn.c | // RUN: clang-cc -verify -fsyntax-only %s
static void (*fp0)(void) __attribute__((noreturn));
static void __attribute__((noreturn)) f0(void) {
fatal();
} // expected-warning {{function declared 'noreturn' should not return}}
// On K&R
int f1() __attribute__((noreturn));
int g0 __attribute__((noreturn)); // expected-warning {{'noreturn' attribute only applies to function types}}
int f2() __attribute__((noreturn(1, 2))); // expected-error {{attribute requires 0 argument(s)}}
void f3() __attribute__((noreturn));
void f3() {
return; // expected-warning {{function 'f3' declared 'noreturn' should not return}}
}
#pragma clang diagnostic error "-Winvalid-noreturn"
void f4() __attribute__((noreturn));
void f4() {
return; // expected-error {{function 'f4' declared 'noreturn' should not return}}
}
// PR4685
extern void f5 (unsigned long) __attribute__ ((__noreturn__));
void
f5 (unsigned long size)
{
}
| // RUN: clang -cc1 -verify -fsyntax-only %s
static void (*fp0)(void) __attribute__((noreturn));
static void __attribute__((noreturn)) f0(void) {
fatal();
} // expected-warning {{function declared 'noreturn' should not return}}
// On K&R
int f1() __attribute__((noreturn));
int g0 __attribute__((noreturn)); // expected-warning {{'noreturn' attribute only applies to function types}}
int f2() __attribute__((noreturn(1, 2))); // expected-error {{attribute requires 0 argument(s)}}
void f3() __attribute__((noreturn));
void f3() {
return; // expected-warning {{function 'f3' declared 'noreturn' should not return}}
}
#pragma clang diagnostic error "-Winvalid-noreturn"
void f4() __attribute__((noreturn));
void f4() {
return; // expected-error {{function 'f4' declared 'noreturn' should not return}}
}
// PR4685
extern void f5 (unsigned long) __attribute__ ((__noreturn__));
void
f5 (unsigned long size)
{
}
// PR2461
__attribute__((noreturn)) void f(__attribute__((noreturn)) void (*x)(void)) {
x();
}
| Add testcase for recent checkin. | Add testcase for recent checkin.
Patch by Chip Davis.
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@91436 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang |
1cdd41d0d2ab5e112d347ec5f14383b5f5ba6034 | kmer_util.h | kmer_util.h | #ifndef KMER_UTIL_H
#define KMER_UTIL_H
#include <assert.h>
#include "logging_util.h"
// Largest odd kmer that can be held in a uint64_t
#define MAX_KMER 31
#define DEFAULT_KMER 21
#ifndef num2nuc
# ifndef NUM2NUC_STR
# define NUM2NUC_STR "ACGTN"
# endif
# define num2nuc(x) NUM2NUC_STR[(uint8_t)x]
#endif
#ifdef __cplusplus
namespace dlib {
#endif
inline void kmer2cstr(uint64_t kmer, int k, char *buf)
{
buf[k] = '\0';
while(k) *buf++ = num2nuc((kmer >> (2 * --k)) & 0x3u);
//LOG_DEBUG("kmer %lu has now become string '%s'.\n", kmer, start);
}
#ifdef __cplusplus
}
#endif
#endif
| #ifndef KMER_UTIL_H
#define KMER_UTIL_H
#include <assert.h>
#include "logging_util.h"
// Largest odd kmer that can be held in a uint64_t
#define MAX_KMER 31
#define DEFAULT_KMER 21
#ifndef num2nuc
# ifndef NUM2NUC_STR
# define NUM2NUC_STR "ACGTN"
# endif
# define num2nuc(x) NUM2NUC_STR[(uint8_t)x]
#endif
#ifdef __cplusplus
namespace dlib {
#endif
inline void kmer2cstr(uint64_t kmer, int k, char *buf)
{
buf[k] = '\0';
while(k) *buf++ = num2nuc((kmer >> (2 * --k)) & 0x3u);
//LOG_DEBUG("kmer %lu has now become string '%s'.\n", kmer, start);
}
// Used to determine the direction in which to encode a kmer
inline int cstr_rc_lt(char *seq, int k, int cpos) {
char *_seq1 = cpos + seq, *_seq2 = _seq1 + k - 1;
for(;k;--k) {
if(*_seq1 != nuc_cmpl(*_seq2)) return *_seq1 < nuc_cmpl(*_seq2);
++_seq1, --_seq2;
}
return 0; // This is reverse-complementarily palindromic. Doesn't matter: it's the same string.
}
#ifdef __cplusplus
}
#endif
#endif
| Move kmer functionality from kmei to dlib. | Move kmer functionality from kmei to dlib.
| C | mit | noseatbelts/dlib,noseatbelts/dlib |
88b1dfa1c40df5f49daabb122392c64ea21d0154 | src/unit_VEHICLE/models/generic/Generic_FuncDriver.h | src/unit_VEHICLE/models/generic/Generic_FuncDriver.h | // =============================================================================
// PROJECT CHRONO - http://projectchrono.org
//
// Copyright (c) 2014 projectchrono.org
// All right reserved.
//
// Use of this source code is governed by a BSD-style license that can be found
// in the LICENSE file at the top level of the distribution and at
// http://projectchrono.org/license-chrono.txt.
//
// =============================================================================
// Authors: Radu Serban
// =============================================================================
//
//
// =============================================================================
#ifndef GENERIC_FUNCDRIVER_H
#define GENERIC_FUNCDRIVER_H
#include "subsys/ChDriver.h"
class Generic_FuncDriver : public chrono::ChDriver
{
public:
Generic_FuncDriver() {}
~Generic_FuncDriver() {}
virtual void Update(double time)
{
if (time < 0.5)
m_throttle = 0;
else if (time < 1.5)
m_throttle = 0.4 * (time - 0.5);
else
m_throttle = 0.4;
if (time < 4)
m_steering = 0;
else if (time < 6)
m_steering = 0.25 * (time - 4);
else if (time < 10)
m_steering = -0.25 * (time - 6) + 0.5;
else
m_steering = -0.5;
}
};
#endif
| Add a generic driver model. | Add a generic driver model.
| C | bsd-3-clause | jcmadsen/chrono,projectchrono/chrono,Milad-Rakhsha/chrono,armanpazouki/chrono,tjolsen/chrono,amelmquist/chrono,andrewseidl/chrono,tjolsen/chrono,tjolsen/chrono,Bryan-Peterson/chrono,dariomangoni/chrono,Milad-Rakhsha/chrono,Milad-Rakhsha/chrono,dariomangoni/chrono,Milad-Rakhsha/chrono,dariomangoni/chrono,amelmquist/chrono,dariomangoni/chrono,rserban/chrono,rserban/chrono,jcmadsen/chrono,armanpazouki/chrono,armanpazouki/chrono,Bryan-Peterson/chrono,rserban/chrono,rserban/chrono,andrewseidl/chrono,Bryan-Peterson/chrono,tjolsen/chrono,amelmquist/chrono,andrewseidl/chrono,amelmquist/chrono,Bryan-Peterson/chrono,andrewseidl/chrono,projectchrono/chrono,tjolsen/chrono,dariomangoni/chrono,projectchrono/chrono,Bryan-Peterson/chrono,jcmadsen/chrono,Milad-Rakhsha/chrono,rserban/chrono,dariomangoni/chrono,jcmadsen/chrono,jcmadsen/chrono,amelmquist/chrono,amelmquist/chrono,rserban/chrono,jcmadsen/chrono,projectchrono/chrono,jcmadsen/chrono,Milad-Rakhsha/chrono,andrewseidl/chrono,projectchrono/chrono,projectchrono/chrono,armanpazouki/chrono,armanpazouki/chrono,armanpazouki/chrono,rserban/chrono |
|
5b6d50ae693acb0b6e001bf39100c44cdda4ad63 | pkg/fizhi/fizhi_SHP.h | pkg/fizhi/fizhi_SHP.h | C $Header$
C $Name$
C The physics state uses the dynamics dimensions in the horizontal
C and the land dimensions in the horizontal for turbulence variables
c
c Secret Hiding Place - Use to compute gridalt correction term diagnostics
c ------------------------------------------------------------------------
common /fizhi_SHP/ ubef,vbef,thbef,sbef,
. udynbef,vdynbef,thdynbef,sdynbef
_RL ubef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nrphys,Nsx,Nsy)
_RL vbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nrphys,Nsx,Nsy)
_RL thbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nrphys,Nsx,Nsy)
_RL sbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nrphys,Nsx,Nsy)
_RL udynbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nr,Nsx,Nsy)
_RL vdynbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nr,Nsx,Nsy)
_RL thdynbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nr,Nsx,Nsy)
_RL sdynbef(1-OLx:sNx+OLx,1-OLy:sNy+OLy,Nr,Nsx,Nsy)
| Add new common block to compute some diagnostics when needed | Add new common block to compute some diagnostics when needed
| C | mit | altMITgcm/MITgcm66h,altMITgcm/MITgcm66h,altMITgcm/MITgcm66h,altMITgcm/MITgcm66h,altMITgcm/MITgcm66h,altMITgcm/MITgcm66h,altMITgcm/MITgcm66h,altMITgcm/MITgcm66h |
|
0fa6366ed15f48b3ec227987f21f339180fb4936 | webrtc/base/checks.h | webrtc/base/checks.h | /*
* Copyright 2006 The WebRTC Project Authors. All rights reserved.
*
* Use of this source code is governed by a BSD-style license
* that can be found in the LICENSE file in the root of the source
* tree. An additional intellectual property rights grant can be found
* in the file PATENTS. All contributing project authors may
* be found in the AUTHORS file in the root of the source tree.
*/
// This module contains some basic debugging facilities.
// Originally comes from shared/commandlineflags/checks.h
#ifndef WEBRTC_BASE_CHECKS_H_
#define WEBRTC_BASE_CHECKS_H_
namespace rtc {
// Prints an error message to stderr and aborts execution.
void Fatal(const char* file, int line, const char* format, ...);
} // namespace rtc
// The UNREACHABLE macro is very useful during development.
#define UNREACHABLE() \
rtc::Fatal(__FILE__, __LINE__, "unreachable code")
#endif // WEBRTC_BASE_CHECKS_H_
| /*
* Copyright 2006 The WebRTC Project Authors. All rights reserved.
*
* Use of this source code is governed by a BSD-style license
* that can be found in the LICENSE file in the root of the source
* tree. An additional intellectual property rights grant can be found
* in the file PATENTS. All contributing project authors may
* be found in the AUTHORS file in the root of the source tree.
*/
// This module contains some basic debugging facilities.
// Originally comes from shared/commandlineflags/checks.h
#ifndef WEBRTC_BASE_CHECKS_H_
#define WEBRTC_BASE_CHECKS_H_
namespace rtc {
// Prints an error message to stderr and aborts execution.
void Fatal(const char* file, int line, const char* format, ...);
} // namespace rtc
// Trigger a fatal error (which aborts the process and prints an error
// message). FATAL_ERROR_IF may seem a lot like assert, but there's a crucial
// difference: it's always "on". This means that it can be used to check for
// regular errors that could actually happen, not just programming errors that
// supposedly can't happen---but triggering a fatal error will kill the process
// in an ugly way, so it's not suitable for catching errors that might happen
// in production.
#define FATAL_ERROR(msg) do { rtc::Fatal(__FILE__, __LINE__, msg); } while (0)
#define FATAL_ERROR_IF(x) do { if (x) FATAL_ERROR("check failed"); } while (0)
// The UNREACHABLE macro is very useful during development.
#define UNREACHABLE() FATAL_ERROR("unreachable code")
#endif // WEBRTC_BASE_CHECKS_H_
| Define convenient FATAL_ERROR() and FATAL_ERROR_IF() macros | Define convenient FATAL_ERROR() and FATAL_ERROR_IF() macros
[email protected]
Review URL: https://webrtc-codereview.appspot.com/16079004
git-svn-id: 917f5d3ca488f358c4d40eaec14422cf392ccec9@6701 4adac7df-926f-26a2-2b94-8c16560cd09d
| C | bsd-3-clause | mwgoldsmith/ilbc,ShiftMediaProject/libilbc,TimothyGu/libilbc,ShiftMediaProject/libilbc,mwgoldsmith/ilbc,TimothyGu/libilbc,mwgoldsmith/libilbc,ShiftMediaProject/libilbc,mwgoldsmith/libilbc,TimothyGu/libilbc,TimothyGu/libilbc,ShiftMediaProject/libilbc,mwgoldsmith/ilbc,TimothyGu/libilbc,mwgoldsmith/libilbc,mwgoldsmith/ilbc,mwgoldsmith/libilbc,ShiftMediaProject/libilbc |
b2982d63745aa6222ca3ef00d1042b874ba50307 | evmjit/libevmjit/Utils.h | evmjit/libevmjit/Utils.h | #pragma once
#include <iostream>
// The same as assert, but expression is always evaluated and result returned
#define CHECK(expr) (assert(expr), expr)
#if !defined(NDEBUG) // Debug
namespace dev
{
namespace evmjit
{
std::ostream& getLogStream(char const* _channel);
}
}
#define DLOG(CHANNEL) ::dev::evmjit::getLogStream(#CHANNEL)
#else // Release
#define DLOG(CHANNEL) true ? std::cerr : std::cerr
#endif
| #pragma once
#include <iostream>
// The same as assert, but expression is always evaluated and result returned
#define CHECK(expr) (assert(expr), expr)
#if !defined(NDEBUG) // Debug
namespace dev
{
namespace evmjit
{
std::ostream& getLogStream(char const* _channel);
}
}
#define DLOG(CHANNEL) ::dev::evmjit::getLogStream(#CHANNEL)
#else // Release
namespace dev
{
namespace evmjit
{
struct Voider
{
void operator=(std::ostream const&) {}
};
}
}
#define DLOG(CHANNEL) true ? (void)0 : ::dev::evmjit::Voider{} = std::cerr
#endif
| Reimplement no-op version of DLOG to avoid C++ compiler warning | Reimplement no-op version of DLOG to avoid C++ compiler warning
| C | mit | vaporry/cpp-ethereum,karek314/cpp-ethereum,expanse-project/cpp-expanse,programonauta/webthree-umbrella,expanse-org/cpp-expanse,PaulGrey30/go-get--u-github.com-tools-godep,vaporry/cpp-ethereum,joeldo/cpp-ethereum,LefterisJP/cpp-ethereum,d-das/cpp-ethereum,smartbitcoin/cpp-ethereum,d-das/cpp-ethereum,Sorceror32/go-get--u-github.com-tools-godep,gluk256/cpp-ethereum,xeddmc/cpp-ethereum,joeldo/cpp-ethereum,d-das/cpp-ethereum,johnpeter66/ethminer,yann300/cpp-ethereum,Sorceror32/go-get--u-github.com-tools-godep,anthony-cros/cpp-ethereum,smartbitcoin/cpp-ethereum,ethers/cpp-ethereum,Sorceror32/.-git-clone-https-github.com-ethereum-cpp-ethereum,johnpeter66/ethminer,eco/cpp-ethereum,ethers/cpp-ethereum,ethers/cpp-ethereum,anthony-cros/cpp-ethereum,eco/cpp-ethereum,anthony-cros/cpp-ethereum,PaulGrey30/go-get--u-github.com-tools-godep,LefterisJP/cpp-ethereum,joeldo/cpp-ethereum,anthony-cros/cpp-ethereum,Sorceror32/go-get--u-github.com-tools-godep,xeddmc/cpp-ethereum,yann300/cpp-ethereum,karek314/cpp-ethereum,vaporry/webthree-umbrella,PaulGrey30/go-get--u-github.com-tools-godep,Sorceror32/.-git-clone-https-github.com-ethereum-cpp-ethereum,subtly/cpp-ethereum-micro,LefterisJP/cpp-ethereum,gluk256/cpp-ethereum,expanse-org/cpp-expanse,LefterisJP/cpp-ethereum,expanse-project/cpp-expanse,gluk256/cpp-ethereum,anthony-cros/cpp-ethereum,karek314/cpp-ethereum,PaulGrey30/go-get--u-github.com-tools-godep,expanse-org/cpp-expanse,expanse-org/cpp-expanse,karek314/cpp-ethereum,PaulGrey30/.-git-clone-https-github.com-ethereum-cpp-ethereum,joeldo/cpp-ethereum,karek314/cpp-ethereum,smartbitcoin/cpp-ethereum,Sorceror32/.-git-clone-https-github.com-ethereum-cpp-ethereum,eco/cpp-ethereum,expanse-org/cpp-expanse,eco/cpp-ethereum,PaulGrey30/go-get--u-github.com-tools-godep,subtly/cpp-ethereum-micro,expanse-project/cpp-expanse,smartbitcoin/cpp-ethereum,PaulGrey30/.-git-clone-https-github.com-ethereum-cpp-ethereum,ethers/cpp-ethereum,expanse-project/cpp-expanse,ethers/cpp-ethereum,PaulGrey30/.-git-clone-https-github.com-ethereum-cpp-ethereum,subtly/cpp-ethereum-micro,expanse-project/cpp-expanse,subtly/cpp-ethereum-micro,vaporry/cpp-ethereum,d-das/cpp-ethereum,Sorceror32/go-get--u-github.com-tools-godep,eco/cpp-ethereum,yann300/cpp-ethereum,yann300/cpp-ethereum,PaulGrey30/go-get--u-github.com-tools-godep,programonauta/webthree-umbrella,gluk256/cpp-ethereum,Sorceror32/go-get--u-github.com-tools-godep,xeddmc/cpp-ethereum,yann300/cpp-ethereum,Sorceror32/.-git-clone-https-github.com-ethereum-cpp-ethereum,gluk256/cpp-ethereum,eco/cpp-ethereum,Sorceror32/go-get--u-github.com-tools-godep,expanse-project/cpp-expanse,d-das/cpp-ethereum,gluk256/cpp-ethereum,d-das/cpp-ethereum,xeddmc/cpp-ethereum,joeldo/cpp-ethereum,xeddmc/cpp-ethereum,LefterisJP/webthree-umbrella,expanse-org/cpp-expanse,Sorceror32/.-git-clone-https-github.com-ethereum-cpp-ethereum,chfast/webthree-umbrella,PaulGrey30/.-git-clone-https-github.com-ethereum-cpp-ethereum,Sorceror32/.-git-clone-https-github.com-ethereum-cpp-ethereum,vaporry/cpp-ethereum,anthony-cros/cpp-ethereum,johnpeter66/ethminer,PaulGrey30/.-git-clone-https-github.com-ethereum-cpp-ethereum,xeddmc/cpp-ethereum,smartbitcoin/cpp-ethereum,subtly/cpp-ethereum-micro,PaulGrey30/.-git-clone-https-github.com-ethereum-cpp-ethereum,ethers/cpp-ethereum,LefterisJP/cpp-ethereum,yann300/cpp-ethereum,vaporry/cpp-ethereum,karek314/cpp-ethereum,joeldo/cpp-ethereum,subtly/cpp-ethereum-micro,vaporry/cpp-ethereum,LefterisJP/webthree-umbrella,arkpar/webthree-umbrella,smartbitcoin/cpp-ethereum,LefterisJP/cpp-ethereum |
b56013dda5371aa32a634bc59878f754b537f874 | test/CFrontend/2004-03-07-BitfieldCrash.c | test/CFrontend/2004-03-07-BitfieldCrash.c | // RUN: %llvmgcc -S %s -o /dev/null
/*
* XFAIL: linux
*/
struct s {
unsigned long long u33: 33;
unsigned long long u40: 40;
};
struct s a = { 1, 2};
int foo() {
return a.u40;
}
| // RUN: %llvmgcc -S %s -o /dev/null
/*
* XFAIL: *
*/
struct s {
unsigned long long u33: 33;
unsigned long long u40: 40;
};
struct s a = { 1, 2};
int foo() {
return a.u40;
}
| Test fails on all platforms, not just linux | Test fails on all platforms, not just linux
git-svn-id: 0ff597fd157e6f4fc38580e8d64ab130330d2411@19405 91177308-0d34-0410-b5e6-96231b3b80d8
| C | bsd-2-clause | dslab-epfl/asap,GPUOpen-Drivers/llvm,dslab-epfl/asap,apple/swift-llvm,apple/swift-llvm,chubbymaggie/asap,GPUOpen-Drivers/llvm,dslab-epfl/asap,apple/swift-llvm,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,llvm-mirror/llvm,llvm-mirror/llvm,chubbymaggie/asap,dslab-epfl/asap,dslab-epfl/asap,llvm-mirror/llvm,llvm-mirror/llvm,dslab-epfl/asap,llvm-mirror/llvm,llvm-mirror/llvm,chubbymaggie/asap,apple/swift-llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,llvm-mirror/llvm,GPUOpen-Drivers/llvm,chubbymaggie/asap,dslab-epfl/asap,chubbymaggie/asap,llvm-mirror/llvm,llvm-mirror/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,chubbymaggie/asap,GPUOpen-Drivers/llvm,apple/swift-llvm |
2dd927c6610bb09ec315409d2973ed505f5e4cc7 | lib/ReaderWriter/PECOFF/PDBPass.h | lib/ReaderWriter/PECOFF/PDBPass.h | //===- lib/ReaderWriter/PECOFF/PDBPass.h ----------------------------------===//
//
// The LLVM Linker
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
#ifndef LLD_READER_WRITER_PE_COFF_PDB_PASS_H
#define LLD_READER_WRITER_PE_COFF_PDB_PASS_H
#include "lld/Core/Pass.h"
#include "llvm/ADT/StringRef.h"
#if !defined(_MSC_VER) && !defined(__MINGW32__)
#include <unistd.h>
#else
#include <io.h>
#endif
namespace lld {
namespace pecoff {
class PDBPass : public lld::Pass {
public:
PDBPass(PECOFFLinkingContext &ctx) : _ctx(ctx) {}
void perform(std::unique_ptr<MutableFile> &file) override {
if (_ctx.getDebug())
touch(_ctx.getPDBFilePath());
}
private:
void touch(StringRef path) {
int fd;
if (llvm::sys::fs::openFileForWrite(path, fd, llvm::sys::fs::F_Append))
llvm::report_fatal_error("failed to create a PDB file");
::close(fd);
}
PECOFFLinkingContext &_ctx;
};
} // namespace pecoff
} // namespace lld
#endif
| //===- lib/ReaderWriter/PECOFF/PDBPass.h ----------------------------------===//
//
// The LLVM Linker
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
#ifndef LLD_READER_WRITER_PE_COFF_PDB_PASS_H
#define LLD_READER_WRITER_PE_COFF_PDB_PASS_H
#include "lld/Core/Pass.h"
#include "llvm/ADT/StringRef.h"
#include "llvm/Support/Process.h"
namespace lld {
namespace pecoff {
class PDBPass : public lld::Pass {
public:
PDBPass(PECOFFLinkingContext &ctx) : _ctx(ctx) {}
void perform(std::unique_ptr<MutableFile> &file) override {
if (_ctx.getDebug())
touch(_ctx.getPDBFilePath());
}
private:
void touch(StringRef path) {
int fd;
if (llvm::sys::fs::openFileForWrite(path, fd, llvm::sys::fs::F_Append))
llvm::report_fatal_error("failed to create a PDB file");
llvm::sys::Process::SafelyCloseFileDescriptor(fd);
}
PECOFFLinkingContext &_ctx;
};
} // namespace pecoff
} // namespace lld
#endif
| Use SafelyCloseFileDescriptor instead of close. | Use SafelyCloseFileDescriptor instead of close.
Opening a file using openFileForWrite and closing it using close
was asymmetric. It also had a subtle portability problem (details are
described in the commit message for r219189).
git-svn-id: f6089bf0e6284f307027cef4f64114ee9ebb0424@222802 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/lld,llvm-mirror/lld |
c03ed8c4aa935e2490178b52fbaa73675137f626 | tests/amd64/wait4_WNOHANG/wait4_WNOHANG.c | tests/amd64/wait4_WNOHANG/wait4_WNOHANG.c |
static int
parent_main(pid_t child_pid)
{
pid_t pid;
int status;
pid = wait4(child_pid, &status, WNOHANG, NULL);
if (pid != 0)
return (1);
return (0);
}
static void
signal_handler(int sig)
{
}
int
main(int argc, const char *argv[])
{
struct sigaction act;
struct timespec t;
pid_t child_pid;
int retval;
act.sa_handler = signal_handler;
act.sa_flags = 0;
if (sigfillset(&act.sa_mask) == -1)
return (16);
if (sigaction(SIGTERM, &act, NULL) == -1)
return (17);
child_pid = fork();
switch (child_pid) {
case -1:
return (18);
case 0:
t.tv_sec = 8;
t.tv_nsec = 0;
nanosleep(&t, NULL);
return (0);
default:
break;
}
retval = parent_main(child_pid);
kill(child_pid, SIGTERM);
return (retval);
}
|
static int
parent_main(pid_t child_pid)
{
pid_t pid;
int status;
pid = wait4(child_pid, &status, WNOHANG, NULL);
if (pid != 0)
return (1);
return (0);
}
int
main(int argc, const char *argv[])
{
pid_t child_pid;
int retval;
child_pid = fork();
switch (child_pid) {
case -1:
return (18);
case 0:
for (;;)
;
return (0);
default:
break;
}
retval = parent_main(child_pid);
kill(child_pid, SIGKILL);
return (retval);
}
| Simplify the test for wait4(2) with WNOHANG. | Simplify the test for wait4(2) with WNOHANG.
| C | mit | SumiTomohiko/fsyscall2,SumiTomohiko/fsyscall2,SumiTomohiko/fsyscall2,SumiTomohiko/fsyscall2,SumiTomohiko/fsyscall2 |
a78e1809fe4e6276c50d192e1bb5dc94ac84f626 | 3RVX/Controllers/Volume/VolumeController.h | 3RVX/Controllers/Volume/VolumeController.h | // Copyright (c) 2015, Matthew Malensek.
// Distributed under the BSD 2-Clause License (see LICENSE.txt for details)
#pragma once
class VolumeTransformation;
class VolumeController {
public:
struct DeviceInfo {
std::wstring name;
std::wstring id;
};
/// <summary>
/// Retrieves the current volume level as a float, ranging from 0.0 - 1.0
/// </summary>
virtual float Volume() = 0;
/// <summary>Sets the volume level. Valid range: 0.0 - 1.0</summary>
virtual void Volume(float vol) = 0;
virtual bool Muted() = 0;
virtual void Muted(bool mute) = 0;
virtual void ToggleMute() {
(Muted() == true) ? Muted(false) : Muted(true);
}
virtual void DeviceEnabled() = 0;
virtual void AddTransformation(VolumeTransformation *transform) = 0;
virtual void RemoveTransformation(VolumeTransformation *transform) = 0;
public:
static const int MSG_VOL_CHNG = WM_APP + 1080;
static const int MSG_VOL_DEVCHNG = WM_APP + 1081;
}; | // Copyright (c) 2015, Matthew Malensek.
// Distributed under the BSD 2-Clause License (see LICENSE.txt for details)
#pragma once
class VolumeTransformation;
class VolumeController {
public:
struct DeviceInfo {
std::wstring name;
std::wstring id;
};
/// <summary>
/// Retrieves the current volume level as a float, ranging from 0.0 - 1.0
/// </summary>
virtual float Volume() = 0;
/// <summary>Sets the volume level. Valid range: 0.0 - 1.0</summary>
virtual void Volume(float vol) = 0;
virtual bool Muted() = 0;
virtual void Muted(bool mute) = 0;
virtual void ToggleMute() {
(Muted() == true) ? Muted(false) : Muted(true);
}
virtual bool DeviceEnabled() = 0;
virtual void AddTransformation(VolumeTransformation *transform) = 0;
virtual void RemoveTransformation(VolumeTransformation *transform) = 0;
public:
static const int MSG_VOL_CHNG = WM_APP + 1080;
static const int MSG_VOL_DEVCHNG = WM_APP + 1081;
}; | Use proper return type X-( | Use proper return type X-(
| C | bsd-2-clause | malensek/3RVX,malensek/3RVX,malensek/3RVX |
a78cf22e966d824ff4234bdf39aaf27dedec8eb5 | src/ArduinoDataPacket.h | src/ArduinoDataPacket.h | /**
* Project
* # # # ###### ######
* # # # # # # # #
* # # # # # # # #
* ### # # ###### ######
* # # ####### # # # #
* # # # # # # # #
* # # # # # # # #
*
* Copyright (c) 2014, Project KARR
* All rights reserved.
*
* 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.
*
* 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 HOLDER 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 HAVE_KARR_ARDUINO_DATA_PACKET_H
#define HAVE_KARR_ARDUINO_DATA_PACKET_H
struct ArduinoDataPacket {
int version;
int counter;
int analog[5];
int flags;
};
#endif
| Add Arduino Data packet header. | Add Arduino Data packet header.
| C | bsd-3-clause | dublet/KARR,dublet/KARR,dublet/KARR |
|
adca044ede25200548c3b2b4dbdcf8e1ddc40959 | UIforETW/Version.h | UIforETW/Version.h | #pragma once
// const float in a header file can lead to duplication of the storage
// but I don't really care in this case. Just don't do it with a header
// that is included hundreds of times.
const float kCurrentVersion = 1.49f;
// Put a "#define VERSION_SUFFIX 'b'" line here to add a minor version
// increment that won't trigger the new-version checks, handy for minor
// releases that I don't want to bother users about.
//#define VERSION_SUFFIX 'b'
| #pragma once
// const float in a header file can lead to duplication of the storage
// but I don't really care in this case. Just don't do it with a header
// that is included hundreds of times.
const float kCurrentVersion = 1.50f;
// Put a "#define VERSION_SUFFIX 'b'" line here to add a minor version
// increment that won't trigger the new-version checks, handy for minor
// releases that I don't want to bother users about.
//#define VERSION_SUFFIX 'b'
| Change version number to 1.50 | Change version number to 1.50
| C | apache-2.0 | ariccio/UIforETW,google/UIforETW,ariccio/UIforETW,google/UIforETW,ariccio/UIforETW,ariccio/UIforETW,google/UIforETW,google/UIforETW |
f2f989b081da91d67646aeaeb9b0483d3586dae2 | EasyImagy/EasyImagy.h | EasyImagy/EasyImagy.h | #import <UIKit/UIKit.h>
//! Project version number for EasyImagy.
FOUNDATION_EXPORT double EasyImagyVersionNumber;
//! Project version string for EasyImagy.
FOUNDATION_EXPORT const unsigned char EasyImagyVersionString[];
// In this header, you should import all the public headers of your framework using statements like #import <EasyImagy/PublicHeader.h>
| #import <Foundation/Foundation.h>
//! Project version number for EasyImagy.
FOUNDATION_EXPORT double EasyImagyVersionNumber;
//! Project version string for EasyImagy.
FOUNDATION_EXPORT const unsigned char EasyImagyVersionString[];
// In this header, you should import all the public headers of your framework using statements like #import <EasyImagy/PublicHeader.h>
| Replace unnecessary import of UIKit with Foundation | Replace unnecessary import of UIKit with Foundation
| C | mit | koher/EasyImagy |
11236637a5b66c166e266522d0c3b077ce084dc9 | tomviz/PresetDialog.h | tomviz/PresetDialog.h | /* This source file is part of the Tomviz project, https://tomviz.org/.
It is released under the 3-Clause BSD License, see "LICENSE". */
#ifndef tomvizPresetDialog_h
#define tomvizPresetDialog_h
#include <QDialog>
#include <QScopedPointer>
class QTableView;
class vtkSMProxy;
namespace Ui {
class PresetDialog;
}
namespace tomviz {
class PresetModel;
class PresetDialog : public QDialog
{
Q_OBJECT
public:
explicit PresetDialog(QWidget* parent);
QString presetName();
void addNewPreset(const QJsonObject& newPreset);
QJsonObject jsonObject();
~PresetDialog() override;
signals:
void applyPreset();
void resetToDefaults();
private slots:
void warning();
private:
QScopedPointer<Ui::PresetDialog> m_ui;
PresetModel* m_model;
QTableView* m_view;
void customMenuRequested(const QModelIndex& Index);
};
} // namespace tomviz
#endif
| /* This source file is part of the Tomviz project, https://tomviz.org/.
It is released under the 3-Clause BSD License, see "LICENSE". */
#ifndef tomvizPresetDialog_h
#define tomvizPresetDialog_h
#include <QDialog>
#include <QScopedPointer>
class QTableView;
class vtkSMProxy;
namespace Ui {
class PresetDialog;
}
namespace tomviz {
class PresetModel;
class PresetDialog : public QDialog
{
Q_OBJECT
public:
explicit PresetDialog(QWidget* parent);
~PresetDialog() override;
QString presetName();
void addNewPreset(const QJsonObject& newPreset);
QJsonObject jsonObject();
signals:
void applyPreset();
void resetToDefaults();
private slots:
void warning();
private:
QScopedPointer<Ui::PresetDialog> m_ui;
PresetModel* m_model;
QTableView* m_view;
void customMenuRequested(const QModelIndex& Index);
};
} // namespace tomviz
#endif
| Move destructor to be below constructor | Move destructor to be below constructor
Signed-off-by: Marcus D. Hanwell <[email protected]>
| C | bsd-3-clause | OpenChemistry/tomviz,OpenChemistry/tomviz,OpenChemistry/tomviz,OpenChemistry/tomviz |
f0e213597e9f2563d11e571c05768f8241b46386 | tests/regression/36-octapron/20-traces-even-more-rpb.c | tests/regression/36-octapron/20-traces-even-more-rpb.c | // SKIP PARAM: --sets ana.activated[+] octApron
#include <pthread.h>
#include <assert.h>
int g = 17; // matches write in t_fun
int h = 14; // matches write in t_fun
pthread_mutex_t A = PTHREAD_MUTEX_INITIALIZER;
pthread_mutex_t B = PTHREAD_MUTEX_INITIALIZER;
void *t_fun(void *arg) {
int t;
pthread_mutex_lock(&A);
pthread_mutex_lock(&B);
g = 17;
t = g;
h = t - 3;
pthread_mutex_unlock(&B);
pthread_mutex_unlock(&A);
return NULL;
}
void *t2_fun(void *arg) {
int t;
pthread_mutex_lock(&B);
t = h;
t--;
h = t;
pthread_mutex_unlock(&B);
return NULL;
}
void *t3_fun(void *arg) {
int t;
pthread_mutex_lock(&A);
t = g;
t++;
g = t;
pthread_mutex_unlock(&A);
return NULL;
}
int main(void) {
int t;
pthread_t id, id2, id3;
pthread_create(&id, NULL, t_fun, NULL);
pthread_create(&id2, NULL, t2_fun, NULL);
pthread_create(&id3, NULL, t3_fun, NULL);
pthread_mutex_lock(&A);
pthread_mutex_lock(&B);
assert(g >= h); // UNKNOWN?
pthread_mutex_unlock(&B);
pthread_mutex_unlock(&A);
return 0;
}
| Add relational traces even-more-rpb example | Add relational traces even-more-rpb example
| C | mit | goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer,goblint/analyzer |
|
6c3ebd4526d5b89084af8af1af8b2d23438360d8 | sys/alpha/include/bwx.h | sys/alpha/include/bwx.h | /*-
* Copyright (c) 1998 Doug Rabson
* All rights reserved.
*
* 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.
*
* THIS SOFTWARE IS PROVIDED BY THE AUTHOR 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 AUTHOR 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.
*
* $Id$
*/
#ifndef _MACHINE_BWX_H_
#define _MACHINE_BWX_H_
static __inline u_int8_t
ldbu(vm_offset_t va)
{
u_int64_t r;
__asm__ __volatile__ ("ldbu %0,%1" : "=r"(r) : "m"(*(u_int8_t*)va));
return r;
}
static __inline u_int16_t
ldwu(vm_offset_t va)
{
u_int64_t r;
__asm__ __volatile__ ("ldwu %0,%1" : "=r"(r) : "m"(*(u_int16_t*)va));
return r;
}
static __inline u_int32_t
ldl(vm_offset_t va)
{
return *(u_int32_t*) va;
}
static __inline void
stb(vm_offset_t va, u_int64_t r)
{
__asm__ __volatile__ ("stb %1,%0" : "=m"(*(u_int8_t*)va) : "r"(r));
__asm__ __volatile__ ("mb");
}
static __inline void
stw(vm_offset_t va, u_int64_t r)
{
__asm__ __volatile__ ("stw %1,%0" : "=m"(*(u_int16_t*)va) : "r"(r));
__asm__ __volatile__ ("mb");
}
static __inline void
stl(vm_offset_t va, u_int64_t r)
{
__asm__ __volatile__ ("stl %1,%0" : "=m"(*(u_int32_t*)va) : "r"(r));
__asm__ __volatile__ ("mb");
}
#endif /* !_MACHINE_BWX_H_ */
| Add macros for byte/word sized load and store instructions. | Add macros for byte/word sized load and store instructions.
| C | bsd-3-clause | jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase,jrobhoward/SCADAbase |
|
6bbc09533e28e0912ac2b1683e3d03cb26ce9fa0 | ui/aura/aura_switches.h | ui/aura/aura_switches.h | // Copyright (c) 2011 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.
#ifndef UI_AURA_AURA_SWITCHES_H_
#define UI_AURA_AURA_SWITCHES_H_
#pragma once
namespace switches {
extern const char kAuraHostWindowSize[];
extern const char kAuraWindows[];
} // namespace switches
#endif // UI_AURA_AURA_SWITCHES_H_
| // Copyright (c) 2011 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.
#ifndef UI_AURA_AURA_SWITCHES_H_
#define UI_AURA_AURA_SWITCHES_H_
#pragma once
#include "ui/aura/aura_export.h"
namespace switches {
AURA_EXPORT extern const char kAuraHostWindowSize[];
AURA_EXPORT extern const char kAuraWindows[];
} // namespace switches
#endif // UI_AURA_AURA_SWITCHES_H_
| Fix shared library build for aura. | Fix shared library build for aura.
[email protected],[email protected]
[email protected],[email protected]
BUG=none
TEST=none
Review URL: http://codereview.chromium.org/8438039
git-svn-id: de016e52bd170d2d4f2344f9bf92d50478b649e0@108299 0039d316-1c4b-4281-b951-d872f2087c98
| C | bsd-3-clause | PeterWangIntel/chromium-crosswalk,bright-sparks/chromium-spacewalk,chuan9/chromium-crosswalk,dednal/chromium.src,Just-D/chromium-1,zcbenz/cefode-chromium,keishi/chromium,Chilledheart/chromium,krieger-od/nwjs_chromium.src,jaruba/chromium.src,junmin-zhu/chromium-rivertrail,krieger-od/nwjs_chromium.src,PeterWangIntel/chromium-crosswalk,junmin-zhu/chromium-rivertrail,pozdnyakov/chromium-crosswalk,anirudhSK/chromium,mohamed--abdel-maksoud/chromium.src,crosswalk-project/chromium-crosswalk-efl,axinging/chromium-crosswalk,Chilledheart/chromium,bright-sparks/chromium-spacewalk,dednal/chromium.src,mogoweb/chromium-crosswalk,axinging/chromium-crosswalk,ondra-novak/chromium.src,Jonekee/chromium.src,hgl888/chromium-crosswalk-efl,nacl-webkit/chrome_deps,markYoungH/chromium.src,Fireblend/chromium-crosswalk,keishi/chromium,dednal/chromium.src,crosswalk-project/chromium-crosswalk-efl,axinging/chromium-crosswalk,littlstar/chromium.src,Chilledheart/chromium,PeterWangIntel/chromium-crosswalk,hujiajie/pa-chromium,hujiajie/pa-chromium,ChromiumWebApps/chromium,jaruba/chromium.src,anirudhSK/chromium,hgl888/chromium-crosswalk-efl,M4sse/chromium.src,Chilledheart/chromium,anirudhSK/chromium,mogoweb/chromium-crosswalk,Fireblend/chromium-crosswalk,hujiajie/pa-chromium,TheTypoMaster/chromium-crosswalk,Just-D/chromium-1,patrickm/chromium.src,rogerwang/chromium,pozdnyakov/chromium-crosswalk,zcbenz/cefode-chromium,ltilve/chromium,markYoungH/chromium.src,keishi/chromium,axinging/chromium-crosswalk,dushu1203/chromium.src,patrickm/chromium.src,PeterWangIntel/chromium-crosswalk,littlstar/chromium.src,hgl888/chromium-crosswalk,markYoungH/chromium.src,M4sse/chromium.src,krieger-od/nwjs_chromium.src,axinging/chromium-crosswalk,PeterWangIntel/chromium-crosswalk,jaruba/chromium.src,Jonekee/chromium.src,ltilve/chromium,junmin-zhu/chromium-rivertrail,chuan9/chromium-crosswalk,robclark/chromium,Fireblend/chromium-crosswalk,pozdnyakov/chromium-crosswalk,jaruba/chromium.src,keishi/chromium,markYoungH/chromium.src,pozdnyakov/chromium-crosswalk,patrickm/chromium.src,rogerwang/chromium,ChromiumWebApps/chromium,rogerwang/chromium,M4sse/chromium.src,ondra-novak/chromium.src,jaruba/chromium.src,Just-D/chromium-1,Chilledheart/chromium,dushu1203/chromium.src,krieger-od/nwjs_chromium.src,keishi/chromium,robclark/chromium,fujunwei/chromium-crosswalk,hgl888/chromium-crosswalk,zcbenz/cefode-chromium,junmin-zhu/chromium-rivertrail,nacl-webkit/chrome_deps,zcbenz/cefode-chromium,hgl888/chromium-crosswalk,ltilve/chromium,ChromiumWebApps/chromium,TheTypoMaster/chromium-crosswalk,krieger-od/nwjs_chromium.src,Pluto-tv/chromium-crosswalk,zcbenz/cefode-chromium,Fireblend/chromium-crosswalk,hujiajie/pa-chromium,TheTypoMaster/chromium-crosswalk,hujiajie/pa-chromium,fujunwei/chromium-crosswalk,dushu1203/chromium.src,mogoweb/chromium-crosswalk,M4sse/chromium.src,M4sse/chromium.src,ltilve/chromium,fujunwei/chromium-crosswalk,bright-sparks/chromium-spacewalk,anirudhSK/chromium,nacl-webkit/chrome_deps,dednal/chromium.src,fujunwei/chromium-crosswalk,littlstar/chromium.src,fujunwei/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,rogerwang/chromium,nacl-webkit/chrome_deps,ChromiumWebApps/chromium,hgl888/chromium-crosswalk-efl,timopulkkinen/BubbleFish,dednal/chromium.src,Jonekee/chromium.src,Jonekee/chromium.src,ChromiumWebApps/chromium,Fireblend/chromium-crosswalk,hgl888/chromium-crosswalk,keishi/chromium,keishi/chromium,mohamed--abdel-maksoud/chromium.src,junmin-zhu/chromium-rivertrail,bright-sparks/chromium-spacewalk,robclark/chromium,keishi/chromium,crosswalk-project/chromium-crosswalk-efl,Pluto-tv/chromium-crosswalk,ondra-novak/chromium.src,junmin-zhu/chromium-rivertrail,pozdnyakov/chromium-crosswalk,krieger-od/nwjs_chromium.src,anirudhSK/chromium,pozdnyakov/chromium-crosswalk,axinging/chromium-crosswalk,Jonekee/chromium.src,TheTypoMaster/chromium-crosswalk,dushu1203/chromium.src,Just-D/chromium-1,hujiajie/pa-chromium,Jonekee/chromium.src,krieger-od/nwjs_chromium.src,Chilledheart/chromium,pozdnyakov/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,mohamed--abdel-maksoud/chromium.src,mogoweb/chromium-crosswalk,hgl888/chromium-crosswalk-efl,crosswalk-project/chromium-crosswalk-efl,hujiajie/pa-chromium,mogoweb/chromium-crosswalk,ltilve/chromium,ChromiumWebApps/chromium,hgl888/chromium-crosswalk,ltilve/chromium,markYoungH/chromium.src,littlstar/chromium.src,hujiajie/pa-chromium,jaruba/chromium.src,markYoungH/chromium.src,patrickm/chromium.src,dednal/chromium.src,jaruba/chromium.src,chuan9/chromium-crosswalk,dednal/chromium.src,nacl-webkit/chrome_deps,Pluto-tv/chromium-crosswalk,Pluto-tv/chromium-crosswalk,M4sse/chromium.src,keishi/chromium,pozdnyakov/chromium-crosswalk,Just-D/chromium-1,anirudhSK/chromium,rogerwang/chromium,Chilledheart/chromium,ChromiumWebApps/chromium,ChromiumWebApps/chromium,Jonekee/chromium.src,littlstar/chromium.src,krieger-od/nwjs_chromium.src,anirudhSK/chromium,crosswalk-project/chromium-crosswalk-efl,markYoungH/chromium.src,pozdnyakov/chromium-crosswalk,fujunwei/chromium-crosswalk,dushu1203/chromium.src,nacl-webkit/chrome_deps,axinging/chromium-crosswalk,zcbenz/cefode-chromium,timopulkkinen/BubbleFish,anirudhSK/chromium,rogerwang/chromium,Jonekee/chromium.src,anirudhSK/chromium,zcbenz/cefode-chromium,TheTypoMaster/chromium-crosswalk,patrickm/chromium.src,PeterWangIntel/chromium-crosswalk,Jonekee/chromium.src,hujiajie/pa-chromium,dushu1203/chromium.src,crosswalk-project/chromium-crosswalk-efl,robclark/chromium,chuan9/chromium-crosswalk,axinging/chromium-crosswalk,hgl888/chromium-crosswalk-efl,chuan9/chromium-crosswalk,chuan9/chromium-crosswalk,krieger-od/nwjs_chromium.src,jaruba/chromium.src,dushu1203/chromium.src,Pluto-tv/chromium-crosswalk,Fireblend/chromium-crosswalk,hgl888/chromium-crosswalk-efl,keishi/chromium,markYoungH/chromium.src,robclark/chromium,Pluto-tv/chromium-crosswalk,hgl888/chromium-crosswalk,littlstar/chromium.src,ltilve/chromium,TheTypoMaster/chromium-crosswalk,zcbenz/cefode-chromium,dushu1203/chromium.src,Pluto-tv/chromium-crosswalk,zcbenz/cefode-chromium,axinging/chromium-crosswalk,patrickm/chromium.src,Jonekee/chromium.src,ChromiumWebApps/chromium,ChromiumWebApps/chromium,hujiajie/pa-chromium,dednal/chromium.src,littlstar/chromium.src,jaruba/chromium.src,bright-sparks/chromium-spacewalk,Chilledheart/chromium,M4sse/chromium.src,robclark/chromium,ChromiumWebApps/chromium,anirudhSK/chromium,ondra-novak/chromium.src,zcbenz/cefode-chromium,TheTypoMaster/chromium-crosswalk,Just-D/chromium-1,hujiajie/pa-chromium,nacl-webkit/chrome_deps,rogerwang/chromium,markYoungH/chromium.src,mohamed--abdel-maksoud/chromium.src,krieger-od/nwjs_chromium.src,Fireblend/chromium-crosswalk,dednal/chromium.src,chuan9/chromium-crosswalk,timopulkkinen/BubbleFish,robclark/chromium,junmin-zhu/chromium-rivertrail,ondra-novak/chromium.src,bright-sparks/chromium-spacewalk,hgl888/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,nacl-webkit/chrome_deps,M4sse/chromium.src,junmin-zhu/chromium-rivertrail,ondra-novak/chromium.src,littlstar/chromium.src,Chilledheart/chromium,timopulkkinen/BubbleFish,patrickm/chromium.src,robclark/chromium,nacl-webkit/chrome_deps,timopulkkinen/BubbleFish,nacl-webkit/chrome_deps,jaruba/chromium.src,markYoungH/chromium.src,ondra-novak/chromium.src,ltilve/chromium,Pluto-tv/chromium-crosswalk,Just-D/chromium-1,ondra-novak/chromium.src,timopulkkinen/BubbleFish,timopulkkinen/BubbleFish,TheTypoMaster/chromium-crosswalk,Just-D/chromium-1,pozdnyakov/chromium-crosswalk,dushu1203/chromium.src,fujunwei/chromium-crosswalk,fujunwei/chromium-crosswalk,timopulkkinen/BubbleFish,mohamed--abdel-maksoud/chromium.src,rogerwang/chromium,Just-D/chromium-1,zcbenz/cefode-chromium,nacl-webkit/chrome_deps,junmin-zhu/chromium-rivertrail,hgl888/chromium-crosswalk-efl,crosswalk-project/chromium-crosswalk-efl,TheTypoMaster/chromium-crosswalk,junmin-zhu/chromium-rivertrail,PeterWangIntel/chromium-crosswalk,timopulkkinen/BubbleFish,robclark/chromium,dushu1203/chromium.src,hgl888/chromium-crosswalk,ondra-novak/chromium.src,ChromiumWebApps/chromium,hgl888/chromium-crosswalk-efl,Fireblend/chromium-crosswalk,hgl888/chromium-crosswalk-efl,anirudhSK/chromium,dednal/chromium.src,axinging/chromium-crosswalk,pozdnyakov/chromium-crosswalk,hgl888/chromium-crosswalk-efl,mogoweb/chromium-crosswalk,Jonekee/chromium.src,mohamed--abdel-maksoud/chromium.src,rogerwang/chromium,crosswalk-project/chromium-crosswalk-efl,mogoweb/chromium-crosswalk,fujunwei/chromium-crosswalk,rogerwang/chromium,PeterWangIntel/chromium-crosswalk,mogoweb/chromium-crosswalk,patrickm/chromium.src,bright-sparks/chromium-spacewalk,mogoweb/chromium-crosswalk,keishi/chromium,M4sse/chromium.src,krieger-od/nwjs_chromium.src,junmin-zhu/chromium-rivertrail,mohamed--abdel-maksoud/chromium.src,mohamed--abdel-maksoud/chromium.src,PeterWangIntel/chromium-crosswalk,bright-sparks/chromium-spacewalk,crosswalk-project/chromium-crosswalk-efl,axinging/chromium-crosswalk,chuan9/chromium-crosswalk,M4sse/chromium.src,timopulkkinen/BubbleFish,timopulkkinen/BubbleFish,bright-sparks/chromium-spacewalk,patrickm/chromium.src,M4sse/chromium.src,mogoweb/chromium-crosswalk,markYoungH/chromium.src,dednal/chromium.src,robclark/chromium,jaruba/chromium.src,hgl888/chromium-crosswalk,chuan9/chromium-crosswalk,Pluto-tv/chromium-crosswalk,dushu1203/chromium.src,Fireblend/chromium-crosswalk,ltilve/chromium,anirudhSK/chromium |
cccb2ea810b5f7a6d9e5c246274e630987583f23 | multiply_by_diagonal.c | multiply_by_diagonal.c | void multiply_by_diagonal(const int rows, const int cols,
double* restrict diagonal, double* restrict matrix) {
/*
* Multiply a matrix by a diagonal matrix (represented as a flat array
* of n values). The diagonal structure is exploited (so that we use
* n^2 multiplications instead of n^3); the product looks something
* like
*
* sage: A = matrix([[a,b,c], [d,e,f],[g,h,i]]);
* sage: w = matrix([[z1,0,0],[0,z2,0],[0,0,z3]]);
* sage: A * w
* => [a*z1 b*z2 c*z3]
* [d*z1 e*z2 f*z3]
* [g*z1 h*z2 i*z3]
*/
int i, j;
/* traverse the matrix in the correct order. */
#ifdef USE_COL_MAJOR
for (j = 0; j < cols; j++)
for (i = 0; i < rows; i++)
#else
for (i = 0; i < rows; i++)
for (j = 0; j < cols; j++)
#endif
matrix[ORDER(i, j, rows, cols)] *= diagonal[j];
}
| REFACTOR removed duplicates and created own file for this | REFACTOR removed duplicates and created own file for this
| C | bsd-3-clause | VT-ICAM/ArgyrisPack,VT-ICAM/ArgyrisPack,VT-ICAM/ArgyrisPack |
|
b267698e0377126299950113cb864c3d995f32dc | FBTweak/FBTweak+Dictionary.h | FBTweak/FBTweak+Dictionary.h | //
// FBTweak+Dictionary.h
// FBTweak
//
// Created by John McIntosh on 11/5/14.
// Copyright (c) 2014 Facebook. All rights reserved.
//
#import <FBTweak/FBTweak.h>
/**
Implementation works by storing the dictionary in the tweak's `stepValue`.
*/
@interface FBTweak (Dictionary)
@property (nonatomic, copy, readonly) NSArray *allKeys;
@property (nonatomic, copy, readonly) NSArray *allValues;
@property (nonatomic, copy, readwrite) NSDictionary *dictionaryValue;
- (BOOL)isDictionary;
@end
FBTweakValue FBDictionaryTweak(NSString *categoryName, NSString *collectionName, NSString *tweakName, NSDictionary *dictionary, id defaultKey); | //
// FBTweak+Dictionary.h
// FBTweak
//
// Created by John McIntosh on 11/5/14.
// Copyright (c) 2014 Facebook. All rights reserved.
//
#import "FBTweak.h"
/**
Implementation works by storing the dictionary in the tweak's `stepValue`.
*/
@interface FBTweak (Dictionary)
@property (nonatomic, copy, readonly) NSArray *allKeys;
@property (nonatomic, copy, readonly) NSArray *allValues;
@property (nonatomic, copy, readwrite) NSDictionary *dictionaryValue;
- (BOOL)isDictionary;
@end
FBTweakValue FBDictionaryTweak(NSString *categoryName, NSString *collectionName, NSString *tweakName, NSDictionary *dictionary, id defaultKey); | Update syntax for import statement | Update syntax for import statement
| C | bsd-3-clause | dedelost/Tweaks,MakrisHuang/Tweaks,1yvT0s/Tweaks,1yvT0s/Tweaks,sgl0v/Tweaks,MrWooJ/Tweaks,eyeem/Tweaks,Kingside/Tweaks,programming086/Tweaks,MrWooJ/Tweaks,eyeem/Tweaks,Kingside/Tweaks,DanielAsher/Tweaks,eyeem/Tweaks,dedelost/Tweaks,cuppi/Tweaks,Uberchord/Tweaks,DanielAsher/Tweaks,sgl0v/Tweaks,adamdahan/Tweaks,1yvT0s/Tweaks,adamdahan/Tweaks,cuppi/Tweaks,flovilmart/Tweaks,sgl0v/Tweaks,Uberchord/Tweaks,dedelost/Tweaks,flovilmart/Tweaks,MakrisHuang/Tweaks,programming086/Tweaks,DanielAsher/Tweaks,adamdahan/Tweaks |
acb699bec196566a5dba364b97b83ae28a9b1a80 | gibbs.c | gibbs.c | #include "nb_simp.c"
struct arrayProb* gibbsC_shim(struct arrayProb* topic_prior_b,
struct arrayProb* word_prior_c,
struct arrayNat* z_d,
struct arrayNat* w_e,
struct arrayNat* doc_f,
unsigned int docUpdate_g)
{
struct arrayProb* res = (struct arrayProb*)malloc(sizeof(struct arrayProb*));
*res = gibbsC(*topic_prior_b, *word_prior_c, *z_d, *w_e, *doc_f, docUpdate_g);
return res;
}
| #include "nb_simp.c"
struct arrayProb* gibbsC_shim(struct arrayProb* topic_prior_b,
struct arrayProb* word_prior_c,
struct arrayNat* z_d,
struct arrayNat* w_e,
struct arrayNat* doc_f,
unsigned int docUpdate_g)
{
struct arrayProb* res = (struct arrayProb*)malloc(sizeof(struct arrayProb));
*res = gibbsC(*topic_prior_b, *word_prior_c, *z_d, *w_e, *doc_f, docUpdate_g);
return res;
}
| Fix size error in malloc call | Fix size error in malloc call
| C | bsd-3-clause | zaxtax/naive_bayes,zaxtax/naive_bayes,zaxtax/naive_bayes,zaxtax/naive_bayes |
f5a798a2aa7fcf68d684c3dc58d9efaabe83b390 | Headers/Public/MLMediaLibrary.h | Headers/Public/MLMediaLibrary.h | //
// MLMediaLibrary.h
// MobileMediaLibraryKit
//
// Created by Pierre d'Herbemont on 7/14/10.
// Copyright 2010 __MyCompanyName__. All rights reserved.
//
#import <CoreData/CoreData.h>
@interface MLMediaLibrary : NSObject {
NSManagedObjectContext *_managedObjectContext;
NSManagedObjectModel *_managedObjectModel;
BOOL _allowNetworkAccess;
}
+ (id)sharedMediaLibrary;
- (void)addFilePaths:(NSArray *)filepaths;
- (void)updateDatabase; // Removes missing files
// May be internal
- (NSFetchRequest *)fetchRequestForEntity:(NSString *)entity;
- (id)createObjectForEntity:(NSString *)entity;
- (NSString *)thumbnailFolderPath;
- (void)applicationWillStart;
- (void)applicationWillExit;
- (void)save;
- (void)libraryDidDisappear;
- (void)libraryDidAppear;
@end
| //
// MLMediaLibrary.h
// MobileMediaLibraryKit
//
// Created by Pierre d'Herbemont on 7/14/10.
// Copyright 2010 __MyCompanyName__. All rights reserved.
//
#import <CoreData/CoreData.h>
@interface MLMediaLibrary : NSObject {
NSManagedObjectContext *_managedObjectContext;
NSManagedObjectModel *_managedObjectModel;
BOOL _allowNetworkAccess;
}
+ (id)sharedMediaLibrary;
- (void)addFilePaths:(NSArray *)filepaths;
// May be internal
- (NSFetchRequest *)fetchRequestForEntity:(NSString *)entity;
- (id)createObjectForEntity:(NSString *)entity;
- (NSString *)thumbnailFolderPath;
- (void)applicationWillStart;
- (void)applicationWillExit;
- (void)save;
- (void)libraryDidDisappear;
- (void)libraryDidAppear;
@end
| Revert "Adding a public method to be able to update the database" | Revert "Adding a public method to be able to update the database"
This reverts commit 0c6bfc6ec7f63d468b0222c00ab1e31d69c62d40.
Conflicts:
Sources/MLMediaLibrary.m
| C | lgpl-2.1 | TheHungryBu/MediaLibraryKit,TheHungryBu/MediaLibraryKit,TheHungryBu/MediaLibraryKit,larrytin/MediaLibraryKit,TheHungryBu/MediaLibraryKit |
0997dbb61cacad042c452b37e03d4de5a0ed82bb | content/common/child_process_messages.h | content/common/child_process_messages.h | // Copyright (c) 2011 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.
// Common IPC messages used for child processes.
// Multiply-included message file, hence no include guard.
#include "googleurl/src/gurl.h"
#include "ipc/ipc_message_macros.h"
#define IPC_MESSAGE_START ChildProcessMsgStart
// Messages sent from the browser to the child process.
// Tells the child process it should stop.
IPC_MESSAGE_CONTROL0(ChildProcessMsg_AskBeforeShutdown)
// Sent in response to ChildProcessHostMsg_ShutdownRequest to tell the child
// process that it's safe to shutdown.
IPC_MESSAGE_CONTROL0(ChildProcessMsg_Shutdown)
#if defined(IPC_MESSAGE_LOG_ENABLED)
// Tell the child process to begin or end IPC message logging.
IPC_MESSAGE_CONTROL1(ChildProcessMsg_SetIPCLoggingEnabled,
bool /* on or off */)
#endif
// Messages sent from the child process to the browser.
IPC_MESSAGE_CONTROL0(ChildProcessHostMsg_ShutdownRequest)
// Get the list of proxies to use for |url|, as a semicolon delimited list
// of "<TYPE> <HOST>:<PORT>" | "DIRECT".
IPC_SYNC_MESSAGE_CONTROL1_2(ChildProcessHostMsg_ResolveProxy,
GURL /* url */,
int /* network error */,
std::string /* proxy list */) | // Copyright (c) 2011 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.
// Common IPC messages used for child processes.
// Multiply-included message file, hence no include guard.
#include "googleurl/src/gurl.h"
#include "ipc/ipc_message_macros.h"
#define IPC_MESSAGE_START ChildProcessMsgStart
// Messages sent from the browser to the child process.
// Tells the child process it should stop.
IPC_MESSAGE_CONTROL0(ChildProcessMsg_AskBeforeShutdown)
// Sent in response to ChildProcessHostMsg_ShutdownRequest to tell the child
// process that it's safe to shutdown.
IPC_MESSAGE_CONTROL0(ChildProcessMsg_Shutdown)
#if defined(IPC_MESSAGE_LOG_ENABLED)
// Tell the child process to begin or end IPC message logging.
IPC_MESSAGE_CONTROL1(ChildProcessMsg_SetIPCLoggingEnabled,
bool /* on or off */)
#endif
// Messages sent from the child process to the browser.
IPC_MESSAGE_CONTROL0(ChildProcessHostMsg_ShutdownRequest)
// Get the list of proxies to use for |url|, as a semicolon delimited list
// of "<TYPE> <HOST>:<PORT>" | "DIRECT".
IPC_SYNC_MESSAGE_CONTROL1_2(ChildProcessHostMsg_ResolveProxy,
GURL /* url */,
int /* network error */,
std::string /* proxy list */)
| Add newline at end of file | Add newline at end of file
git-svn-id: de016e52bd170d2d4f2344f9bf92d50478b649e0@78227 0039d316-1c4b-4281-b951-d872f2087c98
| C | bsd-3-clause | chuan9/chromium-crosswalk,pozdnyakov/chromium-crosswalk,timopulkkinen/BubbleFish,Chilledheart/chromium,pozdnyakov/chromium-crosswalk,rogerwang/chromium,TheTypoMaster/chromium-crosswalk,rogerwang/chromium,dednal/chromium.src,jaruba/chromium.src,mogoweb/chromium-crosswalk,hgl888/chromium-crosswalk,jaruba/chromium.src,jaruba/chromium.src,junmin-zhu/chromium-rivertrail,M4sse/chromium.src,littlstar/chromium.src,chuan9/chromium-crosswalk,anirudhSK/chromium,Pluto-tv/chromium-crosswalk,zcbenz/cefode-chromium,nacl-webkit/chrome_deps,littlstar/chromium.src,mohamed--abdel-maksoud/chromium.src,ltilve/chromium,dushu1203/chromium.src,dednal/chromium.src,markYoungH/chromium.src,nacl-webkit/chrome_deps,dushu1203/chromium.src,bright-sparks/chromium-spacewalk,patrickm/chromium.src,nacl-webkit/chrome_deps,hgl888/chromium-crosswalk-efl,keishi/chromium,pozdnyakov/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,hujiajie/pa-chromium,axinging/chromium-crosswalk,jaruba/chromium.src,markYoungH/chromium.src,jaruba/chromium.src,markYoungH/chromium.src,zcbenz/cefode-chromium,littlstar/chromium.src,hgl888/chromium-crosswalk-efl,nacl-webkit/chrome_deps,zcbenz/cefode-chromium,timopulkkinen/BubbleFish,TheTypoMaster/chromium-crosswalk,M4sse/chromium.src,timopulkkinen/BubbleFish,markYoungH/chromium.src,hgl888/chromium-crosswalk,M4sse/chromium.src,dushu1203/chromium.src,hujiajie/pa-chromium,junmin-zhu/chromium-rivertrail,patrickm/chromium.src,M4sse/chromium.src,jaruba/chromium.src,mohamed--abdel-maksoud/chromium.src,robclark/chromium,Fireblend/chromium-crosswalk,keishi/chromium,keishi/chromium,mogoweb/chromium-crosswalk,bright-sparks/chromium-spacewalk,robclark/chromium,Pluto-tv/chromium-crosswalk,krieger-od/nwjs_chromium.src,ChromiumWebApps/chromium,hgl888/chromium-crosswalk-efl,Jonekee/chromium.src,littlstar/chromium.src,Chilledheart/chromium,bright-sparks/chromium-spacewalk,mohamed--abdel-maksoud/chromium.src,hujiajie/pa-chromium,timopulkkinen/BubbleFish,ltilve/chromium,pozdnyakov/chromium-crosswalk,Jonekee/chromium.src,axinging/chromium-crosswalk,rogerwang/chromium,mogoweb/chromium-crosswalk,chuan9/chromium-crosswalk,anirudhSK/chromium,timopulkkinen/BubbleFish,PeterWangIntel/chromium-crosswalk,hgl888/chromium-crosswalk-efl,jaruba/chromium.src,junmin-zhu/chromium-rivertrail,hujiajie/pa-chromium,junmin-zhu/chromium-rivertrail,patrickm/chromium.src,M4sse/chromium.src,dednal/chromium.src,ChromiumWebApps/chromium,pozdnyakov/chromium-crosswalk,jaruba/chromium.src,Just-D/chromium-1,hgl888/chromium-crosswalk-efl,Jonekee/chromium.src,littlstar/chromium.src,hujiajie/pa-chromium,PeterWangIntel/chromium-crosswalk,hgl888/chromium-crosswalk-efl,TheTypoMaster/chromium-crosswalk,M4sse/chromium.src,jaruba/chromium.src,ChromiumWebApps/chromium,hgl888/chromium-crosswalk,krieger-od/nwjs_chromium.src,Chilledheart/chromium,PeterWangIntel/chromium-crosswalk,dushu1203/chromium.src,mogoweb/chromium-crosswalk,pozdnyakov/chromium-crosswalk,timopulkkinen/BubbleFish,zcbenz/cefode-chromium,dednal/chromium.src,chuan9/chromium-crosswalk,hujiajie/pa-chromium,nacl-webkit/chrome_deps,ltilve/chromium,ChromiumWebApps/chromium,mogoweb/chromium-crosswalk,hgl888/chromium-crosswalk,anirudhSK/chromium,Jonekee/chromium.src,zcbenz/cefode-chromium,krieger-od/nwjs_chromium.src,anirudhSK/chromium,junmin-zhu/chromium-rivertrail,patrickm/chromium.src,PeterWangIntel/chromium-crosswalk,anirudhSK/chromium,keishi/chromium,crosswalk-project/chromium-crosswalk-efl,rogerwang/chromium,mohamed--abdel-maksoud/chromium.src,Jonekee/chromium.src,Fireblend/chromium-crosswalk,bright-sparks/chromium-spacewalk,Just-D/chromium-1,Chilledheart/chromium,hgl888/chromium-crosswalk-efl,markYoungH/chromium.src,robclark/chromium,M4sse/chromium.src,ondra-novak/chromium.src,Pluto-tv/chromium-crosswalk,fujunwei/chromium-crosswalk,timopulkkinen/BubbleFish,PeterWangIntel/chromium-crosswalk,zcbenz/cefode-chromium,keishi/chromium,hujiajie/pa-chromium,Chilledheart/chromium,axinging/chromium-crosswalk,mogoweb/chromium-crosswalk,zcbenz/cefode-chromium,hgl888/chromium-crosswalk-efl,fujunwei/chromium-crosswalk,robclark/chromium,Pluto-tv/chromium-crosswalk,littlstar/chromium.src,junmin-zhu/chromium-rivertrail,Fireblend/chromium-crosswalk,Fireblend/chromium-crosswalk,hujiajie/pa-chromium,krieger-od/nwjs_chromium.src,TheTypoMaster/chromium-crosswalk,axinging/chromium-crosswalk,littlstar/chromium.src,dednal/chromium.src,timopulkkinen/BubbleFish,Just-D/chromium-1,Jonekee/chromium.src,ChromiumWebApps/chromium,Just-D/chromium-1,dushu1203/chromium.src,zcbenz/cefode-chromium,ltilve/chromium,Fireblend/chromium-crosswalk,markYoungH/chromium.src,hgl888/chromium-crosswalk,krieger-od/nwjs_chromium.src,nacl-webkit/chrome_deps,bright-sparks/chromium-spacewalk,mohamed--abdel-maksoud/chromium.src,ltilve/chromium,Just-D/chromium-1,dednal/chromium.src,Jonekee/chromium.src,ChromiumWebApps/chromium,TheTypoMaster/chromium-crosswalk,keishi/chromium,pozdnyakov/chromium-crosswalk,dushu1203/chromium.src,ltilve/chromium,hgl888/chromium-crosswalk-efl,Pluto-tv/chromium-crosswalk,zcbenz/cefode-chromium,jaruba/chromium.src,anirudhSK/chromium,fujunwei/chromium-crosswalk,ChromiumWebApps/chromium,ChromiumWebApps/chromium,fujunwei/chromium-crosswalk,robclark/chromium,hgl888/chromium-crosswalk,M4sse/chromium.src,rogerwang/chromium,patrickm/chromium.src,mohamed--abdel-maksoud/chromium.src,axinging/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,fujunwei/chromium-crosswalk,Chilledheart/chromium,hujiajie/pa-chromium,axinging/chromium-crosswalk,hujiajie/pa-chromium,markYoungH/chromium.src,robclark/chromium,dushu1203/chromium.src,rogerwang/chromium,littlstar/chromium.src,dednal/chromium.src,ondra-novak/chromium.src,TheTypoMaster/chromium-crosswalk,bright-sparks/chromium-spacewalk,patrickm/chromium.src,Chilledheart/chromium,dednal/chromium.src,nacl-webkit/chrome_deps,zcbenz/cefode-chromium,Just-D/chromium-1,TheTypoMaster/chromium-crosswalk,crosswalk-project/chromium-crosswalk-efl,krieger-od/nwjs_chromium.src,Fireblend/chromium-crosswalk,nacl-webkit/chrome_deps,junmin-zhu/chromium-rivertrail,nacl-webkit/chrome_deps,crosswalk-project/chromium-crosswalk-efl,patrickm/chromium.src,axinging/chromium-crosswalk,dushu1203/chromium.src,M4sse/chromium.src,robclark/chromium,ChromiumWebApps/chromium,Pluto-tv/chromium-crosswalk,timopulkkinen/BubbleFish,anirudhSK/chromium,ondra-novak/chromium.src,chuan9/chromium-crosswalk,bright-sparks/chromium-spacewalk,chuan9/chromium-crosswalk,markYoungH/chromium.src,crosswalk-project/chromium-crosswalk-efl,krieger-od/nwjs_chromium.src,anirudhSK/chromium,pozdnyakov/chromium-crosswalk,rogerwang/chromium,keishi/chromium,patrickm/chromium.src,PeterWangIntel/chromium-crosswalk,markYoungH/chromium.src,Chilledheart/chromium,robclark/chromium,keishi/chromium,ChromiumWebApps/chromium,jaruba/chromium.src,hgl888/chromium-crosswalk,junmin-zhu/chromium-rivertrail,ondra-novak/chromium.src,junmin-zhu/chromium-rivertrail,Jonekee/chromium.src,Jonekee/chromium.src,ondra-novak/chromium.src,PeterWangIntel/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,dednal/chromium.src,pozdnyakov/chromium-crosswalk,timopulkkinen/BubbleFish,ondra-novak/chromium.src,anirudhSK/chromium,mogoweb/chromium-crosswalk,ltilve/chromium,anirudhSK/chromium,PeterWangIntel/chromium-crosswalk,krieger-od/nwjs_chromium.src,crosswalk-project/chromium-crosswalk-efl,timopulkkinen/BubbleFish,chuan9/chromium-crosswalk,zcbenz/cefode-chromium,crosswalk-project/chromium-crosswalk-efl,axinging/chromium-crosswalk,M4sse/chromium.src,Fireblend/chromium-crosswalk,Jonekee/chromium.src,nacl-webkit/chrome_deps,Pluto-tv/chromium-crosswalk,robclark/chromium,fujunwei/chromium-crosswalk,Just-D/chromium-1,anirudhSK/chromium,hujiajie/pa-chromium,ChromiumWebApps/chromium,TheTypoMaster/chromium-crosswalk,hgl888/chromium-crosswalk,dednal/chromium.src,Chilledheart/chromium,rogerwang/chromium,keishi/chromium,dednal/chromium.src,fujunwei/chromium-crosswalk,robclark/chromium,ltilve/chromium,dushu1203/chromium.src,mogoweb/chromium-crosswalk,dushu1203/chromium.src,PeterWangIntel/chromium-crosswalk,krieger-od/nwjs_chromium.src,Just-D/chromium-1,Fireblend/chromium-crosswalk,Fireblend/chromium-crosswalk,pozdnyakov/chromium-crosswalk,nacl-webkit/chrome_deps,rogerwang/chromium,Pluto-tv/chromium-crosswalk,fujunwei/chromium-crosswalk,crosswalk-project/chromium-crosswalk-efl,keishi/chromium,crosswalk-project/chromium-crosswalk-efl,pozdnyakov/chromium-crosswalk,hgl888/chromium-crosswalk,dushu1203/chromium.src,hgl888/chromium-crosswalk-efl,Pluto-tv/chromium-crosswalk,krieger-od/nwjs_chromium.src,ondra-novak/chromium.src,mogoweb/chromium-crosswalk,axinging/chromium-crosswalk,axinging/chromium-crosswalk,ondra-novak/chromium.src,crosswalk-project/chromium-crosswalk-efl,junmin-zhu/chromium-rivertrail,bright-sparks/chromium-spacewalk,krieger-od/nwjs_chromium.src,chuan9/chromium-crosswalk,mohamed--abdel-maksoud/chromium.src,junmin-zhu/chromium-rivertrail,rogerwang/chromium,Just-D/chromium-1,chuan9/chromium-crosswalk,markYoungH/chromium.src,mohamed--abdel-maksoud/chromium.src,anirudhSK/chromium,ondra-novak/chromium.src,keishi/chromium,M4sse/chromium.src,fujunwei/chromium-crosswalk,markYoungH/chromium.src,patrickm/chromium.src,ltilve/chromium,axinging/chromium-crosswalk,mogoweb/chromium-crosswalk,Jonekee/chromium.src,TheTypoMaster/chromium-crosswalk,bright-sparks/chromium-spacewalk,ChromiumWebApps/chromium |
4d203821876f5e4e87c75417224e79035ecf0641 | src/session/manager.h | src/session/manager.h | /*
* waysome - wayland based window manager
*
* Copyright in alphabetical order:
*
* Copyright (C) 2014-2015 Julian Ganz
* Copyright (C) 2014-2015 Manuel Messner
* Copyright (C) 2014-2015 Marcel Müller
* Copyright (C) 2014-2015 Matthias Beyer
* Copyright (C) 2014-2015 Nadja Sommerfeld
*
* This file is part of waysome.
*
* waysome 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.1 of the License, or (at your option)
* any later version.
*
* waysome 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 waysome. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef __WS_SESSION_MANAGER_H__
#define __WS_SESSION_MANAGER_H__
#endif // __WS_SESSION_MANAGER_H__
| /*
* waysome - wayland based window manager
*
* Copyright in alphabetical order:
*
* Copyright (C) 2014-2015 Julian Ganz
* Copyright (C) 2014-2015 Manuel Messner
* Copyright (C) 2014-2015 Marcel Müller
* Copyright (C) 2014-2015 Matthias Beyer
* Copyright (C) 2014-2015 Nadja Sommerfeld
*
* This file is part of waysome.
*
* waysome 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.1 of the License, or (at your option)
* any later version.
*
* waysome 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 waysome. If not, see <http://www.gnu.org/licenses/>.
*/
/**
* @addtogroup session "Session manager"
*
* @{
*/
#ifndef __WS_SESSION_MANAGER_H__
#define __WS_SESSION_MANAGER_H__
#endif // __WS_SESSION_MANAGER_H__
/**
* @}
*/
| Add session files to session doc group | Add session files to session doc group
| C | lgpl-2.1 | waysome/waysome,waysome/waysome |
a20f753e2585ef887f7242e7bd8863836df65715 | 8/platform.h | 8/platform.h | #if defined(__APPLE__) && defined(__MACH__)
/* for OSX */
# define Fprefix "_"
#else
/* Default to linux */
# define Fprefix ""
#endif
#define Assembler "as --32 -g -o %s -"
| #if defined(__APPLE__) && defined(__MACH__)
/* for OSX */
# define Assembler "as -arch i386 -g -o %s -"
# define Fprefix "_"
#else
/* Default to linux */
# define Assembler "as --32 -g -o %s -"
# define Fprefix ""
#endif
| Use the appropriate assembler for OSX. | Use the appropriate assembler for OSX.
| C | mit | 8l/myrddin,oridb/mc,oridb/mc,8l/myrddin,oridb/mc,oridb/mc |
fa741677fbe2bd4f5ba40268e2418cf7420f5e98 | SSPSolution/SSPSolution/DoorEntity.h | SSPSolution/SSPSolution/DoorEntity.h | #ifndef SSPAPPLICATION_ENTITIES_DOORENTITY_H
#define SSPAPPLICATION_ENTITIES_DOORENTITY_H
#include "Entity.h"
#include <vector>
class DoorEntity :
public Entity
{
private:
struct ElementState {
int entityID;
EVENT desiredState;
bool desiredStateReached;
};
std::vector<ElementState> m_elementStates;
bool m_isOpened;
float m_minRotation;
float m_maxRotation;
float m_rotateTime;
float m_rotatePerSec;
public:
DoorEntity();
virtual ~DoorEntity();
int Update(float dT, InputHandler* inputHandler);
int React(int entityID, EVENT reactEvent);
bool SetIsOpened(bool isOpened);
bool GetIsOpened();
};
#endif | #ifndef SSPAPPLICATION_ENTITIES_DOORENTITY_H
#define SSPAPPLICATION_ENTITIES_DOORENTITY_H
#include "Entity.h"
#include <vector>
class DoorEntity :
public Entity
{
private:
struct ElementState {
int entityID;
EVENT desiredState;
bool desiredStateReached;
};
std::vector<ElementState> m_elementStates;
bool m_isOpened;
float m_minRotation;
float m_maxRotation;
float m_rotateTime;
float m_rotatePerSec;
public:
DoorEntity();
virtual ~DoorEntity();
int Initialize(int entityID, PhysicsComponent* pComp, GraphicsComponent* gComp, float rotateTime = 1.0f, float minRotation = 0.0f, float maxRotation = DirectX::XM_PI / 2.0f);
int Update(float dT, InputHandler* inputHandler);
int React(int entityID, EVENT reactEvent);
bool SetIsOpened(bool isOpened);
bool GetIsOpened();
};
#endif | UPDATE Door rotation standard of 90 degrees | UPDATE Door rotation standard of 90 degrees
| C | apache-2.0 | Chringo/SSP,Chringo/SSP |
3ab057f7b9e5f98210eabd53165d74282b5a6bdb | test/PCH/modified-header-error.c | test/PCH/modified-header-error.c | // RUN: mkdir -p %t.dir
// RUN: echo '#include "header2.h"' > %t.dir/header1.h
// RUN: echo > %t.dir/header2.h
// RUN: cp %s %t.dir/t.c
// RUN: %clang_cc1 -x c-header %t.dir/header1.h -emit-pch -o %t.pch
// RUN: echo >> %t.dir/header2.h
// RUN: %clang_cc1 %t.dir/t.c -include-pch %t.pch -fsyntax-only 2>&1 | FileCheck %s
#include "header2.h"
// CHECK: fatal error: file {{.*}} has been modified since the precompiled header was built
// DISABLE: win32
| // RUN: mkdir -p %t.dir
// RUN: echo '#include "header2.h"' > %t.dir/header1.h
// RUN: echo > %t.dir/header2.h
// RUN: cp %s %t.dir/t.c
// RUN: %clang_cc1 -x c-header %t.dir/header1.h -emit-pch -o %t.pch
// RUN: echo >> %t.dir/header2.h
// RUN: %clang_cc1 %t.dir/t.c -include-pch %t.pch -fsyntax-only 2>&1 | FileCheck %s
#include "header2.h"
// CHECK: fatal error: file {{.*}} has been modified since the precompiled header was built
// REQUIRES: shell
| Disable on Windows, for real. | Disable on Windows, for real.
git-svn-id: ffe668792ed300d6c2daa1f6eba2e0aa28d7ec6c@143027 91177308-0d34-0410-b5e6-96231b3b80d8
| C | apache-2.0 | llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang,llvm-mirror/clang,llvm-mirror/clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,apple/swift-clang,llvm-mirror/clang |
8b30c206f7da701fa5c609c1100c3957ae22c916 | src/Vector3.h | src/Vector3.h | #pragma once
#include <math.h>
struct Vector3 {
union {
float v[3];
struct {
float x;
float y;
float z;
};
struct {
float azimuth;
float pitch;
float roll;
};
};
Vector3() {
x = 0;
y = 0;
z = 0;
}
float norm() {
return sqrt(x*x + y*y + z*z);
}
void normalize() {
float n = norm();
if(n > 0) {
x /= n;
y /= n;
z /= n;
}
}
};
| #pragma once
#include <math.h>
struct Vector3 {
union {
float v[3];
struct {
float x;
float y;
float z;
};
struct {
union {
float azimuth;
float yaw;
};
float pitch;
float roll;
};
};
Vector3() {
x = 0;
y = 0;
z = 0;
}
float norm() {
return sqrt(x*x + y*y + z*z);
}
void normalize() {
float n = norm();
if(n > 0) {
x /= n;
y /= n;
z /= n;
}
}
};
| Allow both yaw and azimuth | Allow both yaw and azimuth
| C | mit | loopj/i2c-sensor-hal,loopj/i2c-sensor-hal |
3e7ab39853701277f637eed91630b4b152212d26 | src/slurp.c | src/slurp.c | #include <cgreen/slurp.h>
#include <stdlib.h>
#include <stdio.h>
static char *read_all(FILE *file, int gulp);
char *slurp(const char *file_name, int gulp) {
FILE *file = fopen(file_name, "r");
if (file == NULL) {
return NULL;
}
char *content = read_all(file, gulp);
fclose(file);
return content;
}
static char *read_all(FILE *file, int gulp) {
char *content = (char *)malloc((gulp + 1) * sizeof(char));
char *block = content;
for ( ; ; ) {
if (fgets(block, gulp + 1, file) == NULL) {
break;
}
block += gulp;
content = (char *)realloc(content, (block - content + 1) * sizeof(char));
}
return content;
}
| #include <cgreen/slurp.h>
#include <stdlib.h>
#include <stdio.h>
#include <strings.h>
static char *read_all(FILE *file, int gulp);
char *slurp(const char *file_name, int gulp) {
FILE *file = fopen(file_name, "r");
if (file == NULL) {
return NULL;
}
char *content = read_all(file, gulp);
fclose(file);
return content;
}
static char *read_all(FILE *file, int gulp) {
char *content = (char *)malloc(0);
int sblock = (gulp + 1) * sizeof(char);
char *block = (char *)malloc(sblock);
int len = 0;
int add = 0;
char *p;
for ( ; ; ) {
if (fgets(block, sblock, file) == NULL) {
break;
}
len = strlen(block);
add += len;
p = (char *)realloc(content, add + 1);
if (p == NULL) {
exit(1);
}
content = p;
strncat(content, block, len);
}
content[add + 1] = '\0';
free(block);
return content;
}
| Fix read_all and return content without segment fault | Fix read_all and return content without segment fault | C | isc | matthargett/cgreen,gardenia/cgreen,matthargett/cgreen,cgreen-devs/cgreen,gardenia/cgreen,gardenia/cgreen,cgreen-devs/cgreen,cgreen-devs/cgreen,matthargett/cgreen,thoni56/cgreen,gardenia/cgreen,matthargett/cgreen,ykaliuta/cgreen,thoni56/cgreen,cgreen-devs/cgreen,thoni56/cgreen,thoni56/cgreen,ykaliuta/cgreen,ykaliuta/cgreen,cgreen-devs/cgreen,thoni56/cgreen,ykaliuta/cgreen,gardenia/cgreen,matthargett/cgreen,ykaliuta/cgreen |
Subsets and Splits
No saved queries yet
Save your SQL queries to embed, download, and access them later. Queries will appear here once saved.